Skip to main content

86 posts tagged with "blockchain"

View all tags

Building Decentralized Encryption with @mysten/seal: A Developer's Tutorial

· 13 min read
Dora Noda
Software Engineer

Privacy is becoming public infrastructure. In 2025, developers need tools that make encryption as easy as storing data. Mysten Labs' Seal provides exactly that—decentralized secrets management with onchain access control. This tutorial will teach you how to build secure Web3 applications using identity-based encryption, threshold security, and programmable access policies.


Introduction: Why Seal Matters for Web3

Traditional cloud applications rely on centralized key management systems where a single provider controls access to encrypted data. While convenient, this creates dangerous single points of failure. If the provider is compromised, goes offline, or decides to restrict access, your data becomes inaccessible or vulnerable.

Seal changes this paradigm entirely. Built by Mysten Labs for the Sui blockchain, Seal is a decentralized secrets management (DSM) service that enables:

  • Identity-based encryption where content is protected before it leaves your environment
  • Threshold encryption that distributes key access across multiple independent nodes
  • Onchain access control with time locks, token-gating, and custom authorization logic
  • Storage agnostic design that works with Walrus, IPFS, or any storage solution

Whether you're building secure messaging apps, gated content platforms, or time-locked asset transfers, Seal provides the cryptographic primitives and access control infrastructure you need.


Getting Started

Prerequisites

Before diving in, ensure you have:

  • Node.js 18+ installed
  • Basic familiarity with TypeScript/JavaScript
  • A Sui wallet for testing (like Sui Wallet)
  • Understanding of blockchain concepts

Installation

Install the Seal SDK via npm:

npm install @mysten/seal

You'll also want the Sui SDK for blockchain interactions:

npm install @mysten/sui

Project Setup

Create a new project and initialize it:

mkdir seal-tutorial
cd seal-tutorial
npm init -y
npm install @mysten/seal @mysten/sui typescript @types/node

Create a simple TypeScript configuration:

// tsconfig.json
{
"compilerOptions": {
"target": "ES2020",
"module": "commonjs",
"strict": true,
"esModuleInterop": true,
"skipLibCheck": true,
"forceConsistentCasingInFileNames": true
}
}

Core Concepts: How Seal Works

Before writing code, let's understand Seal's architecture:

1. Identity-Based Encryption (IBE)

Unlike traditional encryption where you encrypt to a public key, IBE lets you encrypt to an identity (like an email address or Sui address). The recipient can only decrypt if they can prove they control that identity.

2. Threshold Encryption

Instead of trusting a single key server, Seal uses t-of-n threshold schemes. You might configure 3-of-5 key servers, meaning any 3 servers can cooperate to provide decryption keys, but 2 or fewer cannot.

3. Onchain Access Control

Access policies are enforced by Sui smart contracts. Before a key server provides decryption keys, it verifies that the requestor meets the onchain policy requirements (token ownership, time constraints, etc.).

4. Key Server Network

Distributed key servers validate access policies and generate decryption keys. These servers are operated by different parties to ensure no single point of control.


Basic Implementation: Your First Seal Application

Let's build a simple application that encrypts sensitive data and controls access through Sui blockchain policies.

Step 1: Initialize the Seal Client

// src/seal-client.ts
import { SealClient } from '@mysten/seal';
import { SuiClient } from '@mysten/sui/client';

export async function createSealClient() {
// Initialize Sui client for testnet
const suiClient = new SuiClient({
url: 'https://fullnode.testnet.sui.io'
});

// Configure Seal client with testnet key servers
const sealClient = new SealClient({
suiClient,
keyServers: [
'https://keyserver1.seal-testnet.com',
'https://keyserver2.seal-testnet.com',
'https://keyserver3.seal-testnet.com'
],
threshold: 2, // 2-of-3 threshold
network: 'testnet'
});

return { sealClient, suiClient };
}

Step 2: Simple Encryption/Decryption

// src/basic-encryption.ts
import { createSealClient } from './seal-client';

async function basicExample() {
const { sealClient } = await createSealClient();

// Data to encrypt
const sensitiveData = "This is my secret message!";
const recipientAddress = "0x742d35cc6d4c0c08c0f9bf3c9b2b6c64b3b4f5c6d7e8f9a0b1c2d3e4f5a6b7c8";

try {
// Encrypt data for a specific Sui address
const encryptedData = await sealClient.encrypt({
data: Buffer.from(sensitiveData, 'utf-8'),
recipientId: recipientAddress,
// Optional: add metadata
metadata: {
contentType: 'text/plain',
timestamp: Date.now()
}
});

console.log('Encrypted data:', {
ciphertext: encryptedData.ciphertext.toString('base64'),
encryptionId: encryptedData.encryptionId
});

// Later, decrypt the data (requires proper authorization)
const decryptedData = await sealClient.decrypt({
ciphertext: encryptedData.ciphertext,
encryptionId: encryptedData.encryptionId,
recipientId: recipientAddress
});

console.log('Decrypted data:', decryptedData.toString('utf-8'));

} catch (error) {
console.error('Encryption/decryption failed:', error);
}
}

basicExample();

Access Control with Sui Smart Contracts

The real power of Seal comes from programmable access control. Let's create a time-locked encryption example where data can only be decrypted after a specific time.

Step 1: Deploy Access Control Contract

First, we need a Move smart contract that defines our access policy:

// contracts/time_lock.move
module time_lock::policy {
use sui::clock::{Self, Clock};
use sui::object::{Self, UID};
use sui::tx_context::{Self, TxContext};

public struct TimeLockPolicy has key, store {
id: UID,
unlock_time: u64,
authorized_user: address,
}

public fun create_time_lock(
unlock_time: u64,
authorized_user: address,
ctx: &mut TxContext
): TimeLockPolicy {
TimeLockPolicy {
id: object::new(ctx),
unlock_time,
authorized_user,
}
}

public fun can_decrypt(
policy: &TimeLockPolicy,
user: address,
clock: &Clock
): bool {
let current_time = clock::timestamp_ms(clock);
policy.authorized_user == user && current_time >= policy.unlock_time
}
}

Step 2: Integrate with Seal

// src/time-locked-encryption.ts
import { createSealClient } from './seal-client';
import { TransactionBlock } from '@mysten/sui/transactions';

async function createTimeLocked() {
const { sealClient, suiClient } = await createSealClient();

// Create access policy on Sui
const txb = new TransactionBlock();

const unlockTime = Date.now() + 60000; // Unlock in 1 minute
const authorizedUser = "0x742d35cc6d4c0c08c0f9bf3c9b2b6c64b3b4f5c6d7e8f9a0b1c2d3e4f5a6b7c8";

txb.moveCall({
target: 'time_lock::policy::create_time_lock',
arguments: [
txb.pure(unlockTime),
txb.pure(authorizedUser)
]
});

// Execute transaction to create policy
const result = await suiClient.signAndExecuteTransactionBlock({
transactionBlock: txb,
signer: yourKeypair, // Your Sui keypair
});

const policyId = result.objectChanges?.find(
change => change.type === 'created'
)?.objectId;

// Now encrypt with this policy
const sensitiveData = "This will unlock in 1 minute!";

const encryptedData = await sealClient.encrypt({
data: Buffer.from(sensitiveData, 'utf-8'),
recipientId: authorizedUser,
accessPolicy: {
policyId,
policyType: 'time_lock'
}
});

console.log('Time-locked data created. Try decrypting after 1 minute.');

return {
encryptedData,
policyId,
unlockTime
};
}

Practical Examples

Example 1: Secure Messaging Application

// src/secure-messaging.ts
import { createSealClient } from './seal-client';

class SecureMessenger {
private sealClient: any;

constructor(sealClient: any) {
this.sealClient = sealClient;
}

async sendMessage(
message: string,
recipientAddress: string,
senderKeypair: any
) {
const messageData = {
content: message,
timestamp: Date.now(),
sender: senderKeypair.toSuiAddress(),
messageId: crypto.randomUUID()
};

const encryptedMessage = await this.sealClient.encrypt({
data: Buffer.from(JSON.stringify(messageData), 'utf-8'),
recipientId: recipientAddress,
metadata: {
type: 'secure_message',
sender: senderKeypair.toSuiAddress()
}
});

// Store encrypted message on decentralized storage (Walrus)
return this.storeOnWalrus(encryptedMessage);
}

async readMessage(encryptionId: string, recipientKeypair: any) {
// Retrieve from storage
const encryptedData = await this.retrieveFromWalrus(encryptionId);

// Decrypt with Seal
const decryptedData = await this.sealClient.decrypt({
ciphertext: encryptedData.ciphertext,
encryptionId: encryptedData.encryptionId,
recipientId: recipientKeypair.toSuiAddress()
});

return JSON.parse(decryptedData.toString('utf-8'));
}

private async storeOnWalrus(data: any) {
// Integration with Walrus storage
// This would upload the encrypted data to Walrus
// and return the blob ID for retrieval
}

private async retrieveFromWalrus(blobId: string) {
// Retrieve encrypted data from Walrus using blob ID
}
}

Example 2: Token-Gated Content Platform

// src/gated-content.ts
import { createSealClient } from './seal-client';

class ContentGating {
private sealClient: any;
private suiClient: any;

constructor(sealClient: any, suiClient: any) {
this.sealClient = sealClient;
this.suiClient = suiClient;
}

async createGatedContent(
content: string,
requiredNftCollection: string,
creatorKeypair: any
) {
// Create NFT ownership policy
const accessPolicy = await this.createNftPolicy(
requiredNftCollection,
creatorKeypair
);

// Encrypt content with NFT access requirement
const encryptedContent = await this.sealClient.encrypt({
data: Buffer.from(content, 'utf-8'),
recipientId: 'nft_holders', // Special recipient for NFT holders
accessPolicy: {
policyId: accessPolicy.policyId,
policyType: 'nft_ownership'
}
});

return {
contentId: encryptedContent.encryptionId,
accessPolicy: accessPolicy.policyId
};
}

async accessGatedContent(
contentId: string,
userAddress: string,
userKeypair: any
) {
// Verify NFT ownership first
const hasAccess = await this.verifyNftOwnership(
userAddress,
contentId
);

if (!hasAccess) {
throw new Error('Access denied: Required NFT not found');
}

// Decrypt content
const decryptedContent = await this.sealClient.decrypt({
encryptionId: contentId,
recipientId: userAddress
});

return decryptedContent.toString('utf-8');
}

private async createNftPolicy(collection: string, creator: any) {
// Create Move contract that checks NFT ownership
// Returns policy object ID
}

private async verifyNftOwnership(user: string, contentId: string) {
// Check if user owns required NFT
// Query Sui for NFT ownership
}
}

Example 3: Time-Locked Asset Transfer

// src/time-locked-transfer.ts
import { createSealClient } from './seal-client';

async function createTimeLockTransfer(
assetData: any,
recipientAddress: string,
unlockTimestamp: number,
senderKeypair: any
) {
const { sealClient, suiClient } = await createSealClient();

// Create time-lock policy on Sui
const timeLockPolicy = await createTimeLockPolicy(
unlockTimestamp,
recipientAddress,
senderKeypair,
suiClient
);

// Encrypt asset transfer data
const transferData = {
asset: assetData,
recipient: recipientAddress,
unlockTime: unlockTimestamp,
transferId: crypto.randomUUID()
};

const encryptedTransfer = await sealClient.encrypt({
data: Buffer.from(JSON.stringify(transferData), 'utf-8'),
recipientId: recipientAddress,
accessPolicy: {
policyId: timeLockPolicy.policyId,
policyType: 'time_lock'
}
});

console.log(`Asset locked until ${new Date(unlockTimestamp)}`);

return {
transferId: encryptedTransfer.encryptionId,
unlockTime: unlockTimestamp,
policyId: timeLockPolicy.policyId
};
}

async function claimTimeLockTransfer(
transferId: string,
recipientKeypair: any
) {
const { sealClient } = await createSealClient();

try {
const decryptedData = await sealClient.decrypt({
encryptionId: transferId,
recipientId: recipientKeypair.toSuiAddress()
});

const transferData = JSON.parse(decryptedData.toString('utf-8'));

// Process the asset transfer
console.log('Asset transfer unlocked:', transferData);

return transferData;
} catch (error) {
console.error('Transfer not yet unlocked or access denied:', error);
throw error;
}
}

Integration with Walrus Decentralized Storage

Seal works seamlessly with Walrus, Sui's decentralized storage solution. Here's how to integrate both:

// src/walrus-integration.ts
import { createSealClient } from './seal-client';

class SealWalrusIntegration {
private sealClient: any;
private walrusClient: any;

constructor(sealClient: any, walrusClient: any) {
this.sealClient = sealClient;
this.walrusClient = walrusClient;
}

async storeEncryptedData(
data: Buffer,
recipientAddress: string,
accessPolicy?: any
) {
// Encrypt with Seal
const encryptedData = await this.sealClient.encrypt({
data,
recipientId: recipientAddress,
accessPolicy
});

// Store encrypted data on Walrus
const blobId = await this.walrusClient.store(
encryptedData.ciphertext
);

// Return reference that includes both Seal and Walrus info
return {
blobId,
encryptionId: encryptedData.encryptionId,
accessPolicy: encryptedData.accessPolicy
};
}

async retrieveAndDecrypt(
blobId: string,
encryptionId: string,
userKeypair: any
) {
// Retrieve from Walrus
const encryptedData = await this.walrusClient.retrieve(blobId);

// Decrypt with Seal
const decryptedData = await this.sealClient.decrypt({
ciphertext: encryptedData,
encryptionId,
recipientId: userKeypair.toSuiAddress()
});

return decryptedData;
}
}

// Usage example
async function walrusExample() {
const { sealClient } = await createSealClient();
const walrusClient = new WalrusClient('https://walrus-testnet.sui.io');

const integration = new SealWalrusIntegration(sealClient, walrusClient);

const fileData = Buffer.from('Important document content');
const recipientAddress = '0x...';

// Store encrypted
const result = await integration.storeEncryptedData(
fileData,
recipientAddress
);

console.log('Stored with Blob ID:', result.blobId);

// Later, retrieve and decrypt
const decrypted = await integration.retrieveAndDecrypt(
result.blobId,
result.encryptionId,
recipientKeypair
);

console.log('Retrieved data:', decrypted.toString());
}

Threshold Encryption Advanced Configuration

For production applications, you'll want to configure custom threshold encryption with multiple key servers:

// src/advanced-threshold.ts
import { SealClient } from '@mysten/seal';

async function setupProductionSeal() {
// Configure with multiple independent key servers
const keyServers = [
'https://keyserver-1.your-org.com',
'https://keyserver-2.partner-org.com',
'https://keyserver-3.third-party.com',
'https://keyserver-4.backup-provider.com',
'https://keyserver-5.fallback.com'
];

const sealClient = new SealClient({
keyServers,
threshold: 3, // 3-of-5 threshold
network: 'mainnet',
// Advanced options
retryAttempts: 3,
timeoutMs: 10000,
backupKeyServers: [
'https://backup-1.emergency.com',
'https://backup-2.emergency.com'
]
});

return sealClient;
}

async function robustEncryption() {
const sealClient = await setupProductionSeal();

const criticalData = "Mission critical encrypted data";

// Encrypt with high security guarantees
const encrypted = await sealClient.encrypt({
data: Buffer.from(criticalData, 'utf-8'),
recipientId: '0x...',
// Require all 5 servers for maximum security
customThreshold: 5,
// Add redundancy
redundancy: 2,
accessPolicy: {
// Multi-factor requirements
requirements: ['nft_ownership', 'time_lock', 'multisig_approval']
}
});

return encrypted;
}

Security Best Practices

1. Key Management

// src/security-practices.ts

// GOOD: Use secure key derivation
import { generateKeypair } from '@mysten/sui/cryptography/ed25519';

const keypair = generateKeypair();

// GOOD: Store keys securely (example with environment variables)
const keypair = Ed25519Keypair.fromSecretKey(
process.env.PRIVATE_KEY
);

// BAD: Never hardcode keys
const badKeypair = Ed25519Keypair.fromSecretKey(
"hardcoded-secret-key-12345" // Don't do this!
);

2. Access Policy Validation

// Always validate access policies before encryption
async function secureEncrypt(data: Buffer, recipient: string) {
const { sealClient } = await createSealClient();

// Validate recipient address
if (!isValidSuiAddress(recipient)) {
throw new Error('Invalid recipient address');
}

// Check policy exists and is valid
const policy = await validateAccessPolicy(policyId);
if (!policy.isValid) {
throw new Error('Invalid access policy');
}

return sealClient.encrypt({
data,
recipientId: recipient,
accessPolicy: policy
});
}

3. Error Handling and Fallbacks

// Robust error handling
async function resilientDecrypt(encryptionId: string, userKeypair: any) {
const { sealClient } = await createSealClient();

try {
return await sealClient.decrypt({
encryptionId,
recipientId: userKeypair.toSuiAddress()
});
} catch (error) {
if (error.code === 'ACCESS_DENIED') {
throw new Error('Access denied: Check your permissions');
} else if (error.code === 'KEY_SERVER_UNAVAILABLE') {
// Try with backup configuration
return await retryWithBackupServers(encryptionId, userKeypair);
} else if (error.code === 'THRESHOLD_NOT_MET') {
throw new Error('Insufficient key servers available');
} else {
throw new Error(`Decryption failed: ${error.message}`);
}
}
}

4. Data Validation

// Validate data before encryption
function validateDataForEncryption(data: Buffer): boolean {
// Check size limits
if (data.length > 1024 * 1024) { // 1MB limit
throw new Error('Data too large for encryption');
}

// Check for sensitive patterns (optional)
const dataStr = data.toString();
if (containsSensitivePatterns(dataStr)) {
console.warn('Warning: Data contains potentially sensitive patterns');
}

return true;
}

Performance Optimization

1. Batching Operations

// Batch multiple encryptions for efficiency
async function batchEncrypt(dataItems: Buffer[], recipients: string[]) {
const { sealClient } = await createSealClient();

const promises = dataItems.map((data, index) =>
sealClient.encrypt({
data,
recipientId: recipients[index]
})
);

return Promise.all(promises);
}

2. Caching Key Server Responses

// Cache key server sessions to reduce latency
class OptimizedSealClient {
private sessionCache = new Map();

async encryptWithCaching(data: Buffer, recipient: string) {
let session = this.sessionCache.get(recipient);

if (!session || this.isSessionExpired(session)) {
session = await this.createNewSession(recipient);
this.sessionCache.set(recipient, session);
}

return this.encryptWithSession(data, session);
}
}

Testing Your Seal Integration

Unit Testing

// tests/seal-integration.test.ts
import { describe, it, expect } from 'jest';
import { createSealClient } from '../src/seal-client';

describe('Seal Integration', () => {
it('should encrypt and decrypt data successfully', async () => {
const { sealClient } = await createSealClient();
const testData = Buffer.from('test message');
const recipient = '0x742d35cc6d4c0c08c0f9bf3c9b2b6c64b3b4f5c6d7e8f9a0b1c2d3e4f5a6b7c8';

const encrypted = await sealClient.encrypt({
data: testData,
recipientId: recipient
});

expect(encrypted.encryptionId).toBeDefined();
expect(encrypted.ciphertext).toBeDefined();

const decrypted = await sealClient.decrypt({
ciphertext: encrypted.ciphertext,
encryptionId: encrypted.encryptionId,
recipientId: recipient
});

expect(decrypted.toString()).toBe('test message');
});

it('should enforce access control policies', async () => {
// Test that unauthorized users cannot decrypt
const { sealClient } = await createSealClient();

const encrypted = await sealClient.encrypt({
data: Buffer.from('secret'),
recipientId: 'authorized-user'
});

await expect(
sealClient.decrypt({
ciphertext: encrypted.ciphertext,
encryptionId: encrypted.encryptionId,
recipientId: 'unauthorized-user'
})
).rejects.toThrow('Access denied');
});
});

Deployment to Production

Environment Configuration

// config/production.ts
export const productionConfig = {
keyServers: [
process.env.KEY_SERVER_1,
process.env.KEY_SERVER_2,
process.env.KEY_SERVER_3,
process.env.KEY_SERVER_4,
process.env.KEY_SERVER_5
],
threshold: 3,
network: 'mainnet',
suiRpc: process.env.SUI_RPC_URL,
walrusGateway: process.env.WALRUS_GATEWAY,
// Security settings
maxDataSize: 1024 * 1024, // 1MB
sessionTimeout: 3600000, // 1 hour
retryAttempts: 3
};

Monitoring and Logging

// utils/monitoring.ts
export class SealMonitoring {
static logEncryption(encryptionId: string, recipient: string) {
console.log(`[SEAL] Encrypted data ${encryptionId} for ${recipient}`);
// Send to your monitoring service
}

static logDecryption(encryptionId: string, success: boolean) {
console.log(`[SEAL] Decryption ${encryptionId}: ${success ? 'SUCCESS' : 'FAILED'}`);
}

static logKeyServerHealth(serverUrl: string, status: string) {
console.log(`[SEAL] Key server ${serverUrl}: ${status}`);
}
}

Resources and Next Steps

Official Documentation

Community and Support

  • Sui Discord: Join the #seal channel for community support
  • GitHub Issues: Report bugs and request features
  • Developer Forums: Sui community forums for discussions

Advanced Topics to Explore

  1. Custom Access Policies: Build complex authorization logic with Move contracts
  2. Cross-Chain Integration: Use Seal with other blockchain networks
  3. Enterprise Key Management: Set up your own key server infrastructure
  4. Audit and Compliance: Implement logging and monitoring for regulated environments

Sample Applications

  • Secure Chat App: End-to-end encrypted messaging with Seal
  • Document Management: Enterprise document sharing with access controls
  • Digital Rights Management: Content distribution with usage policies
  • Privacy-Preserving Analytics: Encrypted data processing workflows

Conclusion

Seal represents a fundamental shift toward making privacy and encryption infrastructure-level concerns in Web3. By combining identity-based encryption, threshold security, and programmable access control, it provides developers with powerful tools to build truly secure and decentralized applications.

The key advantages of building with Seal include:

  • No Single Point of Failure: Distributed key servers eliminate central authorities
  • Programmable Security: Smart contract-based access policies provide flexible authorization
  • Developer-Friendly: TypeScript SDK integrates seamlessly with existing Web3 tooling
  • Storage Agnostic: Works with Walrus, IPFS, or any storage solution
  • Production Ready: Built by Mysten Labs with enterprise security standards

Whether you're securing user data, implementing subscription models, or building complex multi-party applications, Seal provides the cryptographic primitives and access control infrastructure you need to build with confidence.

Start building today, and join the growing ecosystem of developers making privacy a fundamental part of public infrastructure.


Ready to start building? Install @mysten/seal and begin experimenting with the examples in this tutorial. The decentralized web is waiting for applications that put privacy and security first.

The Crypto Endgame: Insights from Industry Visionaries

· 12 min read
Dora Noda
Software Engineer

Visions from Mert Mumtaz (Helius), Udi Wertheimer (Taproot Wizards), Jordi Alexander (Selini Capital) and Alexander Good (Post Fiat)

Overview

Token2049 hosted a panel called “The Crypto Endgame” featuring Mert Mumtaz (CEO of Helius), Udi Wertheimer (Taproot Wizards), Jordi Alexander (Founder of Selini Capital) and Alexander Good (creator of Post Fiat). While there is no publicly available transcript of the panel, each speaker has expressed distinct visions for the long‑term trajectory of the crypto industry. This report synthesizes their public statements and writings—spanning blog posts, articles, news interviews and whitepapers—to explore how each person envisions the “endgame” for crypto.

Mert Mumtaz – Crypto as “Capitalism 2.0”

Core vision

Mert Mumtaz rejects the idea that cryptocurrencies simply represent “Web 3.0.” Instead, he argues that the endgame for crypto is to upgrade capitalism itself. In his view:

  • Crypto supercharges capitalism’s ingredients: Mumtaz notes that capitalism depends on the free flow of information, secure property rights, aligned incentives, transparency and frictionless capital flows. He argues that decentralized networks, public blockchains and tokenization make these features more efficient, turning crypto into “Capitalism 2.0”.
  • Always‑on markets & tokenized assets: He points to regulatory proposals for 24/7 financial markets and the tokenization of stocks, bonds and other real‑world assets. Allowing markets to run continuously and settle via blockchain rails will modernize the legacy financial system. Tokenization creates always‑on liquidity and frictionless trading of assets that previously required clearing houses and intermediaries.
  • Decentralization & transparency: By using open ledgers, crypto removes some of the gate‑keeping and information asymmetries found in traditional finance. Mumtaz views this as an opportunity to democratize finance, align incentives and reduce middlemen.

Implications

Mumtaz’s “Capitalism 2.0” thesis suggests that the industry’s endgame is not limited to digital collectibles or “Web3 apps.” Instead, he envisions a future where nation‑state regulators embrace 24/7 markets, asset tokenization and transparency. In that world, blockchain infrastructure becomes a core component of the global economy, blending crypto with regulated finance. He also warns that the transition will face challenges—such as Sybil attacks, concentration of governance and regulatory uncertainty—but believes these obstacles can be addressed through better protocol design and collaboration with regulators.

Udi Wertheimer – Bitcoin as a “generational rotation” and the altcoin reckoning

Generational rotation & Bitcoin “retire your bloodline” thesis

Udi Wertheimer, co‑founder of Taproot Wizards, is known for provocatively defending Bitcoin and mocking altcoins. In mid‑2025 he posted a viral thesis called “This Bitcoin Thesis Will Retire Your Bloodline.” According to his argument:

  • Generational rotation: Wertheimer argues that the early Bitcoin “whales” who accumulated at low prices have largely sold or transferred their coins. Institutional buyers—ETFs, treasuries and sovereign wealth funds—have replaced them. He calls this process a “full‑scale rotation of ownership”, similar to Dogecoin’s 2019‑21 rally where a shift from whales to retail demand fueled explosive returns.
  • Price‑insensitive demand: Institutions allocate capital without caring about unit price. Using BlackRock’s IBIT ETF as an example, he notes that new investors see a US$40 increase as trivial and are willing to buy at any price. This supply shock combined with limited float means Bitcoin could accelerate far beyond consensus expectations.
  • $400K+ target and altcoin collapse: He projects that Bitcoin could exceed US$400 000 per BTC by the end of 2025 and warns that altcoins will underperform or even collapse, with Ethereum singled out as the “biggest loser”. According to Wertheimer, once institutional FOMO sets in, altcoins will “get one‑shotted” and Bitcoin will absorb most of the capital.

Implications

Wertheimer’s endgame thesis portrays Bitcoin as entering its final parabolic phase. The “generational rotation” means that supply is moving into strong hands (ETFs and treasuries) while retail interest is just starting. If correct, this would create a severe supply shock, pushing BTC price well beyond current valuations. Meanwhile, he believes altcoins offer asymmetric downside because they lack institutional bid support and face regulatory scrutiny. His message to investors is clear: load up on Bitcoin now before Wall Street buys it all.

Jordi Alexander – Macro pragmatism, AI & crypto as twin revolutions

Investing in AI and crypto – two key industries

Jordi Alexander, founder of Selini Capital and a known game theorist, argues that AI and blockchain are the two most important industries of this century. In an interview summarised by Bitget he makes several points:

  • The twin revolutions: Alexander believes the only ways to achieve real wealth growth are to invest in technological innovation (particularly AI) or to participate early in emerging markets like cryptocurrency. He notes that AI development and crypto infrastructure will be the foundational modules for intelligence and coordination this century.
  • End of the four‑year cycle: He asserts that the traditional four‑year crypto cycle driven by Bitcoin halvings is over; instead the market now experiences liquidity‑driven “mini‑cycles.” Future up‑moves will occur when “real capital” fully enters the space. He encourages traders to see inefficiencies as opportunity and to develop both technical and psychological skills to thrive in this environment.
  • Risk‑taking & skill development: Alexander advises investors to keep most funds in safe assets but allocate a small portion for risk‑taking. He emphasizes building judgment and staying adaptable, as there is “no such thing as retirement” in a rapidly evolving field.

Critique of centralized strategies and macro views

  • MicroStrategy’s zero‑sum game: In a flash note he cautions that MicroStrategy’s strategy of buying BTC may be a zero‑sum game. While participants might feel like they are winning, the dynamic could hide risks and lead to volatility. This underscores his belief that crypto markets are often driven by negative‑sum or zero‑sum dynamics, so traders must understand the motivations of large players.
  • Endgame of U.S. monetary policy: Alexander’s analysis of U.S. macro policy highlights that the Federal Reserve’s control over the bond market may be waning. He notes that long‑term bonds have fallen sharply since 2020 and believes the Fed may soon pivot back to quantitative easing. He warns that such policy shifts could cause “gradually at first … then all at once” market moves and calls this a key catalyst for Bitcoin and crypto.

Implications

Jordi Alexander’s endgame vision is nuanced and macro‑oriented. Rather than forecasting a singular price target, he highlights structural changes: the shift to liquidity‑driven cycles, the importance of AI‑driven coordination and the interplay between government policy and crypto markets. He encourages investors to develop deep understanding and adaptability rather than blindly following narratives.

Alexander Good – Web 4, AI agents and the Post Fiat L1

Web 3’s failure and the rise of AI agents

Alexander Good (also known by his pseudonym “goodalexander”) argues that Web 3 has largely failed because users care more about convenience and trading than owning their data. In his essay “Web 4” he notes that consumer app adoption depends on seamless UX; requiring users to bridge assets or manage wallets kills growth. However, he sees an existential threat emerging: AI agents that can generate realistic video, control computers via protocols (such as Anthropic’s “Computer Control” framework) and hook into major platforms like Instagram or YouTube. Because AI models are improving rapidly and the cost of generating content is collapsing, he predicts that AI agents will create the majority of online content.

Web 4: AI agents negotiating on the blockchain

Good proposes Web 4 as a solution. Its key ideas are:

  • Economic system with AI agents: Web 4 envisions AI agents representing users as “Hollywood agents” negotiate on their behalf. These agents will use blockchains for data sharing, dispute resolution and governance. Users provide content or expertise to agents, and the agents extract value—often by interacting with other AI agents across the world—and then distribute payments back to the user in crypto.
  • AI agents handle complexity: Good argues that humans will not suddenly start bridging assets to blockchains, so AI agents must handle these interactions. Users will simply talk to chatbots (via Telegram, Discord, etc.), and AI agents will manage wallets, licensing deals and token swaps behind the scenes. He predicts a near‑future where there are endless protocols, tokens and computer‑to‑computer configurations that will be unintelligible to humans, making AI assistance essential.
  • Inevitable trends: Good lists several trends supporting Web 4: governments’ fiscal crises encourage alternatives; AI agents will cannibalize content profits; people are getting “dumber” by relying on machines; and the largest companies bet on user‑generated content. He concludes that it is inevitable that users will talk to AI systems, those systems will negotiate on their behalf, and users will receive crypto payments while interacting primarily through chat apps.

Mapping the ecosystem and introducing Post Fiat

Good categorizes existing projects into Web 4 infrastructure or composability plays. He notes that protocols like Story, which create on‑chain governance for IP claims, will become two‑sided marketplaces between AI agents. Meanwhile, Akash and Render sell compute services and could adapt to license to AI agents. He argues that exchanges like Hyperliquid will benefit because endless token swaps will be needed to make these systems user‑friendly.

His own project, Post Fiat, is positioned as a “kingmaker in Web 4.” Post Fiat is a Layer‑1 blockchain built on XRP’s core technology but with improved decentralization and tokenomics. Key features include:

  • AI‑driven validator selection: Instead of relying on human-run staking, Post Fiat uses large language models (LLMs) to score validators on credibility and transaction quality. The network distributes 55% of tokens to validators through a process managed by an AI agent, with the goal of “objectivity, fairness and no humans involved”. The system’s monthly cycle—publish, score, submit, verify and select & reward—ensures transparent selection.
  • Focus on investing & expert networks: Unlike XRP’s transaction‑bank focus, Post Fiat targets financial markets, using blockchains for compliance, indexing and operating an expert network composed of community members and AI agents. AGTI (Post Fiat’s development arm) sells products to financial institutions and may launch an ETF, with revenues funding network development.
  • New use cases: The project aims to disrupt the indexing industry by creating decentralized ETFs, provide compliant encrypted memos and support expert networks where members earn tokens for insights. The whitepaper details technical measures—such as statistical fingerprinting and encryption—to prevent Sybil attacks and gaming.

Web 4 as survival mechanism

Good concludes that Web 4 is a survival mechanism, not just a cool ideology. He argues that a “complexity bomb” is coming within six months as AI agents proliferate. Users will have to give up some upside to AI systems because participating in agentic economies will be the only way to thrive. In his view, Web 3’s dream of decentralized ownership and user privacy is insufficient; Web 4 will blend AI agents, crypto incentives and governance to navigate an increasingly automated economy.

Comparative analysis

Converging themes

  1. Institutional & technological shifts drive the endgame.
    • Mumtaz foresees regulators enabling 24/7 markets and tokenization, which will mainstream crypto.
    • Wertheimer highlights institutional adoption via ETFs as the catalyst for Bitcoin’s parabolic phase.
    • Alexander notes that the next crypto boom will be liquidity‑driven rather than cycle‑driven and that macro policies (like the Fed’s pivot) will provide powerful tailwinds.
  2. AI becomes central.
    • Alexander emphasises investing in AI alongside crypto as twin pillars of future wealth.
    • Good builds Web 4 around AI agents that transact on blockchains, manage content and negotiate deals.
    • Post Fiat’s validator selection and governance rely on LLMs to ensure objectivity. Together these visions imply that the endgame for crypto will involve synergy between AI and blockchain, where AI handles complexity and blockchains provide transparent settlement.
  3. Need for better governance and fairness.
    • Mumtaz warns that centralization of governance remains a challenge.
    • Alexander encourages understanding game‑theoretic incentives, pointing out that strategies like MicroStrategy’s can be zero‑sum.
    • Good proposes AI‑driven validator scoring to remove human biases and create fair token distribution, addressing governance issues in existing networks like XRP.

Diverging visions

  1. Role of altcoins. Wertheimer sees altcoins as doomed and believes Bitcoin will capture most capital. Mumtaz focuses on the overall crypto market including tokenized assets and DeFi, while Alexander invests across chains and believes inefficiencies create opportunity. Good is building an alt‑L1 (Post Fiat) specialized for AI finance, implying he sees room for specialized networks.
  2. Human agency vs AI agency. Mumtaz and Alexander emphasize human investors and regulators, whereas Good envisions a future where AI agents become the primary economic actors and humans interact through chatbots. This shift implies fundamentally different user experiences and raises questions about autonomy, fairness and control.
  3. Optimism vs caution. Wertheimer’s thesis is aggressively bullish on Bitcoin with little concern for downside. Mumtaz is optimistic about crypto improving capitalism but acknowledges regulatory and governance challenges. Alexander is cautious—highlighting inefficiencies, zero‑sum dynamics and the need for skill development—while still believing in crypto’s long‑term promise. Good sees Web 4 as inevitable but warns of the complexity bomb, urging preparation rather than blind optimism.

Conclusion

The Token2049 “Crypto Endgame” panel brought together thinkers with very different perspectives. Mert Mumtaz views crypto as an upgrade to capitalism, emphasizing decentralization, transparency and 24/7 markets. Udi Wertheimer sees Bitcoin entering a supply‑shocked generational rally that will leave altcoins behind. Jordi Alexander adopts a more macro‑pragmatic stance, urging investment in both AI and crypto while understanding liquidity cycles and game‑theoretic dynamics. Alexander Good envisions a Web 4 era where AI agents negotiate on blockchains and Post Fiat becomes the infrastructure for AI‑driven finance.

Although their visions differ, a common theme is the evolution of economic coordination. Whether through tokenized assets, institutional rotation, AI‑driven governance or autonomous agents, each speaker believes crypto will fundamentally reshape how value is created and exchanged. The endgame therefore seems less like an endpoint and more like a transition into a new system where capital, computation and coordination converge.

Tokenization: Redefining Capital Markets

· 12 min read
Dora Noda
Software Engineer

Introduction

Tokenization refers to representing ownership of an asset on a blockchain through digital tokens. These tokens can represent financial assets (equities, bonds, money‑market funds), real‑world assets (real estate, art, invoices) or even cash itself (stablecoins or deposit tokens). By moving assets onto programmable, always‑on blockchains, tokenization promises to reduce settlement friction, improve transparency and allow 24/7, global access to capital markets. During TOKEN2049 and subsequent discussions in 2024‑2025, leaders from crypto and traditional finance explored how tokenization could reshape capital markets.

Below is a deep dive into the visions and predictions of key participants from the “Tokenization: Redefining Capital Markets” panel and related interviews: Diogo Mónica (General Partner, Haun Ventures), Cynthia Lo Bessette (Head of Digital Asset Management, Fidelity Investments), Shan Aggarwal (Chief Business Officer, Coinbase), Alex Thorn (Head of Research, Galaxy), and Arjun Sethi (Co‑CEO, Kraken). The report also situates their views within broader developments such as tokenized treasury funds, stablecoins, deposit tokens and tokenized equities.

1. Diogo Mónica – General Partner, Haun Ventures

1.1 Vision: Stablecoins Are the “Starting Gun” for Tokenization

Diogo Mónica argues that well‑regulated stablecoins are the prerequisite for tokenizing capital markets. In an opinion piece for American Banker he wrote that stablecoins turn money into programmable digital tokens, unlocking 24/7 trading and enabling tokenization of many asset classes. Once money is on‑chain, “you open the door to tokenize everything else – equities, bonds, real estate, invoices, art”. Mónica notes that a few technologically advanced stablecoins already facilitate near‑instant, cheap cross‑border transfers; but regulatory clarity is needed to ensure wide adoption. He emphasizes that stablecoin regulations should be strict—modeled on the regulatory regime for money‑market funds—to ensure consumer protection.

1.2 Tokenization Will Revive Capital Formation and Globalize Markets

Mónica contends that tokenization could “fix” broken capital‑formation mechanisms. Traditional IPOs are expensive and restricted to certain markets; however, issuing tokenized securities could let companies raise capital on‑chain, with global access and lower costs. Transparent, always‑open markets could allow investors worldwide to trade tokens representing equity or other assets regardless of geographic boundaries. For Mónica, the goal is not to circumvent regulation but to create new regulatory frameworks that enable on‑chain capital markets. He argues that tokenized markets could boost liquidity for traditionally illiquid assets (e.g., real estate, small‑business shares) and democratize investment opportunities. He stresses that regulators need to build consistent rules for issuing, trading and transferring tokenized securities so that investors and issuers gain confidence in on‑chain markets.

1.3 Encouraging Startups and Institutional Adoption

As a venture capitalist at Haun Ventures, Mónica encourages startups working on infrastructure for tokenized assets. He highlights the importance of compliant digital identity and custody solutions, on‑chain governance and interoperable blockchains that can support large volumes. Mónica sees stablecoins as the first step, but he believes the next phase will be tokenized money‑market funds and on‑chain treasuries—building blocks for full‑scale capital markets.

2. Cynthia Lo Bessette – Head of Digital Asset Management, Fidelity Investments

2.1 Tokenization Delivers Transactional Efficiency and Access

Cynthia Lo Bessette leads Fidelity’s digital asset management business and is responsible for developing tokenization initiatives. She argues that tokenization improves settlement efficiency and broadens access to markets. In interviews about Fidelity’s planned tokenized money‑market fund, Lo Bessette stated that tokenizing assets can “drive transactional efficiencies” and improve access and allocation of capital across markets. She noted that tokenized assets could be used as non‑cash collateral to enhance capital efficiency, and said that Fidelity wants to “be an innovator… [and] leverage technology to provide better access”.

2.2 Fidelity’s Tokenized Money‑Market Fund

In 2024, Fidelity filed with the SEC to launch the Fidelity Treasury Digital Fund, a tokenized money‑market fund on the Ethereum blockchain. The fund issues shares as ERC‑20 tokens that represent fractional interests in a pool of government treasuries. The goal is to provide 24‑hour subscription and redemption, atomic settlement and programmable compliance. Lo Bessette explained that tokenizing treasuries can improve operational infrastructure, reduce the need for intermediaries and open the fund to a wider audience, including firms seeking on‑chain collateral. By offering a tokenized version of a core money‑market instrument, Fidelity wants to attract institutions exploring on‑chain financing.

2.3 Regulatory Engagement

Lo Bessette cautions that regulation is critical. Fidelity is working with regulators to ensure investor protections and compliance. She believes that close collaboration with the SEC and industry bodies will be necessary to gain approval for tokenized mutual funds and other regulated products. Fidelity also participates in industry initiatives such as the Tokenized Asset Coalition to develop standards for custody, disclosure and investor protection.

3. Shan Aggarwal – Chief Business Officer, Coinbase

3.1 Expanding Beyond Crypto Trading to On‑Chain Finance

As Coinbase’s first CBO, Shan Aggarwal is responsible for strategy and new business lines. He has articulated a vision where Coinbase becomes the “AWS of crypto infrastructure”, providing custody, staking, compliance and tokenization services for institutions and developers. In an interview (translated from Forbes), Aggarwal said he sees Coinbase’s role as supporting the on‑chain economy by building the infrastructure to tokenize real‑world assets, bridge traditional finance with Web3 and offer financial services like lending, payments and remittances. He notes that Coinbase wants to define the future of money rather than just participate in it.

3.2 Stablecoins Are the Native Payment Rail for AI Agents and Global Commerce

Aggarwal believes stablecoins will become the native settlement layer for both humans and AI. In a 2024 interview, he said that stablecoins enable global payments without intermediaries; as AI agents proliferate in commerce, “stablecoins are the native payment rails for AI agents”. He predicts that stablecoin payments will become so embedded in commerce that consumers and machines will use them without noticing, unlocking digital commerce for billions.

Aggarwal contends that all asset classes will eventually come on‑chain. He points out that tokenizing assets such as equities, treasuries or real estate allows them to be settled instantaneously and traded globally. He acknowledges that regulatory clarity and robust infrastructure are prerequisites, but he sees an inevitable shift from legacy clearing systems to blockchains.

3.3 Building Institutional Adoption and Compliance

Aggarwal emphasizes that institutions need secure custody, compliance services and reliable infrastructure to adopt tokenization. Coinbase has invested in Coinbase International Exchange, Base (its L2 network), and partnerships with stablecoin issuers (e.g., USDC). He suggests that as more assets become tokenized, Coinbase will provide “one‑stop‑shop” infrastructure for trading, financing and on‑chain operations. Importantly, Aggarwal works closely with policymakers to ensure regulation enables innovation without stifling growth.

4. Alex Thorn – Head of Research, Galaxy

4.1 Tokenized Equities: A First Step in a New Capital Markets Infrastructure

Alex Thorn leads research at Galaxy and has been instrumental in the firm’s decision to tokenize its own shares. In September 2024, Galaxy announced it would allow shareholders to move their Galaxy Class A shares onto the Solana blockchain via a tokenization partnership with Superstate. Thorn explained that tokenized shares confer the same legal and economic rights as traditional shares, but they can be transferred peer‑to‑peer and settle in minutes rather than days. He said that tokenized equities are “a new method of building faster, more efficient, more inclusive capital markets”.

4.2 Working Within Existing Regulation and with the SEC

Thorn stresses the importance of compliance. Galaxy built its tokenized share program to comply with U.S. securities laws: the tokenized shares are issued under a transfer agent, the tokens can only be transferred among KYC‑approved wallets, and redemptions occur via a regulated broker. Thorn said Galaxy wants to “work within existing rules” and will collaborate with the SEC to develop frameworks for on‑chain equities. He views this process as vital to convincing regulators that tokenization can protect investors while delivering efficiency gains.

4.3 Critical Perspective on Deposit Tokens and Unapproved Offerings

Thorn has expressed caution about other forms of tokenization. Discussing bank‑issued deposit tokens, he compared the current landscape to the 1830s “wildcat banking” era and warned that deposit tokens may not be widely adopted if each bank issues its own token. He argued that regulators might treat deposit tokens as regulated stablecoins and require a single, rigid federal standard to make them fungible.

Similarly, he criticized pre‑IPO token offerings launched without issuer consent. In an interview about Jupiter’s pre‑IPO token of Robinhood stock, Thorn noted that many pre‑IPO tokens are unauthorized and “don’t offer clean share ownership”. For Thorn, tokenization must occur with issuer approval and regulatory compliance; unauthorized tokenization undermines investor protections and could harm public perception.

5. Arjun Sethi – Co‑CEO, Kraken

5.1 Tokenized Equities Will Outgrow Stablecoins and Democratize Ownership

Arjun Sethi, co‑CEO of Kraken, is an ardent proponent of tokenized equities. He predicts that tokenized equities will eventually surpass stablecoins in market size because they provide real economic rights and global accessibility. Sethi envisions a world where anyone with an internet connection can buy a fraction of any stock 24/7, without geographic restrictions. He argues that tokenized stocks shift power back to individuals by removing barriers imposed by geography or institutional gatekeepers; for the first time, people around the world can own and use a share of a stock like money.

5.2 Kraken’s xStocks and Partnerships

In 2024 Kraken launched xStocks, a platform for trading tokenized U.S. equities on Solana. Sethi explained that the goal is to meet people where they are—by embedding tokenized stock trading into widely used apps. When Kraken integrated xStocks into the Telegram Wallet, Sethi said the integration aimed to “give hundreds of millions of users access to tokenized equities inside familiar apps”. He stressed that this is not just about novelty; it represents a paradigm shift toward borderless markets that operate 24/7.

Kraken also acquired the futures platform NinjaTrader and launched an Ethereum Layer 2 network (Ink), signaling its intent to expand beyond crypto into a full‑stack financial services platform. Partnerships with Apollo Global and Securitize allow Kraken to work on tokenizing private assets and corporate shares.

5.3 Regulatory Engagement and Public Listing

Sethi believes that a borderless, always‑on trading platform will require regulatory cooperation. In a Reuters interview he said that expanding into equities is a natural step and paves the way for asset tokenization; the future of trading will be borderless, always on, and built on crypto rails. Kraken engages with regulators globally to ensure its tokenized products comply with securities laws. Sethi has also said Kraken might consider a public listing in the future if it supports their mission.

6. Comparative Analysis and Emerging Themes

6.1 Tokenization as the Next Phase of Market Infrastructure

All panelists agree that tokenization is a fundamental infrastructure shift. Mónica describes stablecoins as the catalyst that enables tokenizing every other asset class. Lo Bessette sees tokenization as a way to improve settlement efficiency and open access. Aggarwal predicts that all assets will eventually come on‑chain and that Coinbase will provide the infrastructure. Thorn emphasizes that tokenized equities create faster, more inclusive capital markets, while Sethi foresees tokenized equities surpassing stablecoins and democratizing ownership.

6.2 Necessity of Regulatory Clarity

A recurring theme is the need for clear, consistent regulation. Mónica and Thorn insist that tokenized assets must comply with securities laws and that stablecoins and deposit tokens require strong regulation. Lo Bessette notes that Fidelity works closely with regulators, and its tokenized money‑market fund is designed to fit within existing regulatory frameworks. Aggarwal and Sethi highlight engagement with policymakers to ensure that their on‑chain products meet compliance requirements. Without regulatory clarity, tokenization risks replicating the fragmentation and opacity that blockchain seeks to solve.

6.3 Integration of Stablecoins and Tokenized Assets

Stablecoins and tokenized treasuries are seen as foundational. Aggarwal views stablecoins as the native rail for AI and global commerce. Mónica sees well‑regulated stablecoins as the “starting gun” for tokenizing other assets. Lo Bessette’s tokenized money‑market fund and Thorn’s caution about deposit tokens highlight different approaches to tokenizing cash equivalents. As stablecoins become widely adopted, they will likely be used for settling trades of tokenized securities and RWAs.

6.4 Democratization and Global Accessibility

Tokenization promises to democratize access to capital markets. Sethi’s enthusiasm for giving “hundreds of millions of users” access to tokenized equities through familiar apps captures this vision. Aggarwal sees tokenization enabling billions of people and AI agents to participate in digital commerce. Mónica’s view of 24/7 markets accessible globally aligns with these predictions. All emphasize that tokenization will remove barriers and bring inclusion to financial services.

6.5 Cautious Optimism and Challenges

While optimistic, the panelists also recognize challenges. Thorn warns against unauthorized pre‑IPO tokenization and stresses that deposit tokens might replicate “wildcat banking” if each bank issues its own. Lo Bessette and Mónica call for careful regulatory design. Aggarwal and Sethi highlight infrastructure demands such as compliance, custody and user experience. Balancing innovation with investor protection will be key to realizing the full potential of tokenized capital markets.

Conclusion

The visions expressed at TOKEN2049 and in subsequent interviews illustrate a shared belief that tokenization will redefine capital markets. Leaders from Haun Ventures, Fidelity, Coinbase, Galaxy and Kraken see tokenization as an inevitable evolution of financial infrastructure, driven by stablecoins, tokenized treasuries and tokenized equities. They anticipate that on‑chain markets will operate 24/7, enable global participation, reduce settlement friction and democratize access. However, these benefits depend on robust regulation, compliance and infrastructure. As regulators and industry participants collaborate, tokenization could unlock new forms of capital formation, democratize ownership and usher in a more inclusive financial system.

BASS 2025: Charting the Future of Blockchain Applications, from Space to Wall Street

· 8 min read
Dora Noda
Software Engineer

The Blockchain Application Stanford Summit (BASS) kicked off the week of the Science of Blockchain Conference (SBC), bringing together innovators, researchers, and builders to explore the cutting edge of the ecosystem. Organizers Gil, Kung, and Stephen welcomed attendees, highlighting the event's focus on entrepreneurship and real-world applications, a spirit born from its close collaboration with SBC. With support from organizations like Blockchain Builders and the Cryptography and Blockchain Alumni of Stanford, the day was packed with deep dives into celestial blockchains, the future of Ethereum, institutional DeFi, and the burgeoning intersection of AI and crypto.

Dalia Maliki: Building an Orbital Root of Trust with Space Computer

Dalia Maliki, a professor at UC Santa Barbara and an advisor to Space Computer, opened with a look at a truly out-of-this-world application: building a secure computing platform in orbit.

What is Space Computer? In a nutshell, Space Computer is an "orbital root of trust," providing a platform for running secure and confidential computations on satellites. The core value proposition lies in the unique security guarantees of space. "Once a box is launched securely and deployed into space, nobody can come later and hack into it," Maliki explained. "It's purely, perfectly tamper-proof at this point." This environment makes it leak-proof, ensures communications cannot be easily jammed, and provides verifiable geolocation, offering powerful decentralization properties.

Architecture and Use Cases The system is designed with a two-tier architecture:

  • Layer 1 (Celestial): The authoritative root of trust runs on a network of satellites in orbit, optimized for limited and intermittent communication.
  • Layer 2 (Terrestrial): Standard scaling solutions like rollups and state channels run on Earth, anchoring to the celestial Layer 1 for finality and security.

Early use cases include running highly secure blockchain validators and a true random number generator that captures cosmic radiation. However, Maliki emphasized the platform's potential for unforeseen innovation. "The coolest thing about building a platform is always that you build a platform and other people will come and build use cases that you never even dreamed of."

Drawing a parallel to the ambitious Project Corona of the 1950s, which physically dropped film buckets from spy satellites to be caught mid-air by aircraft, Maliki urged the audience to think big. "By comparison, what we work with today in space computer is a luxury, and we're very excited about the future."

Tomasz Stanczak: The Ethereum Roadmap - Scaling, Privacy, and AI

Tomasz Stanczak, Executive Director of the Ethereum Foundation, provided a comprehensive overview of Ethereum's evolving roadmap, which is heavily focused on scaling, enhancing privacy, and integrating with the world of AI.

Short-Term Focus: Supporting L2s The immediate priority for Ethereum is to solidify its role as the best platform for Layer 2s to build upon. Upcoming forks, Fusaka and Glumpsterdom, are centered on this goal. "We want to make much stronger statements that yes, [L2s] innovate, they extend Ethereum, and they will have a commitment from protocol builders that Layer 1 will support L2s in the best way possible," Stanczak stated.

Long-Term Vision: Lean Ethereum and Real-Time Proving Looking further ahead, the "Lean Ethereum" vision aims for massive scalability and security hardening. A key component is the ZK-EVM roadmap, which targets real-time proving with latencies under 10 seconds for 99% of blocks, achievable by solo stakers. This, combined with data availability improvements, could push L2s to a theoretical "10 million TPS." The long-term plan also includes a focus on post-quantum cryptography through hash-based signatures and ZK-EVMs.

Privacy and the AI Intersection Privacy is another critical pillar. The Ethereum Foundation has established the Privacy and Scaling Explorations (PSC) team to coordinate efforts, support tooling, and explore protocol-level privacy integrations. Stanczak sees this as crucial for Ethereum's interaction with AI, enabling use cases like censorship-resistant financial markets, privacy-preserving AI, and open-source agentic systems. He emphasized that Ethereum's culture of connecting multiple disciplines—from finance and art to robotics and AI—is essential for navigating the challenges and opportunities of the next decade.

Sreeram Kannan: The Trust Framework for Ambitious Crypto Apps with EigenCloud

Sreeram Kannan, founder of Eigen Labs, challenged the audience to think beyond the current scope of crypto applications, presenting a framework for understanding crypto's core value and introducing EigenCloud as a platform to realize this vision.

Crypto's Core Thesis: A Verifiability Layer "Underpinning all of this is a core thesis that crypto is the trust or verifiability layer on top of which you can build very powerful applications," Kannan explained. He introduced a "TAM vs. Trust" framework, illustrating that the total addressable market (TAM) for a crypto application grows exponentially as the trust it underwrites increases. Bitcoin's market grows as it becomes more trusted than fiat currencies; a lending platform's market grows as its guarantee of borrower solvency becomes more credible.

EigenCloud: Unleashing Programmability Kannan argued that the primary bottleneck for building more ambitious apps—like a decentralized Uber or trustworthy AI platforms—is not performance but programmability. To solve this, EigenCloud introduces a new architecture that separates application logic from token logic.

"Let's keep the token logic on-chain on Ethereum," he proposed, "but the application logic is moved outside. You can actually now write your core logic in arbitrary containers... execute them on any device of your choice, whether it's a CPU or a GPU... and then bring these results verifiably back on-chain."

This approach, he argued, extends crypto from a "laptop or server scale to cloud scale," allowing developers to build the truly disruptive applications that were envisioned in crypto's early days.

Panel: A Deep Dive into Blockchain Architecture

A panel featuring Leiyang from MegaETH, Adi from Realo, and Solomon from the Solana Foundation explored the trade-offs between monolithic, modular, and "super modular" architectures.

  • MegaETH (Modular L2): Leiyang described MegaETH's approach of using a centralized sequencer for extreme speed while delegating security to Ethereum. This design aims to deliver a Web2-level real-time experience for applications, reviving the ambitious "ICO-era" ideas that were previously limited by performance.
  • Solana (Monolithic L1): Solomon explained that Solana's architecture, with its high node requirements, is deliberately designed for maximum throughput to support its vision of putting all global financial activity on-chain. The current focus is on asset issuance and payments. On interoperability, Solomon was candid: "Generally speaking, we don't really care about interoperability... It's about getting as much asset liquidity and usage on-chain as possible."
  • Realo ("Super Modular" L1): Adi introduced Realo's "super modular" concept, which consolidates essential services like oracles directly into the base layer to reduce developer friction. This design aims to natively connect the blockchain to the real world, with a go-to-market focus on RWAs and making the blockchain invisible to end-users.

Panel: The Real Intersection of AI and Blockchain

Moderated by Ed Roman of HackVC, this panel showcased three distinct approaches to merging AI and crypto.

  • Ping AI (Bill): Ping AI is building a "personal AI" where users maintain self-custody of their data. The vision is to replace the traditional ad-exchange model. Instead of companies monetizing user data, Ping AI's system will reward users directly when their data leads to a conversion, allowing them to capture the economic value of their digital footprint.
  • Public AI (Jordan): Described as the "human layer of AI," Public AI is a marketplace for sourcing high-quality, on-demand data that can't be scraped or synthetically generated. It uses an on-chain reputation system and staking mechanisms to ensure contributors provide signal, not noise, rewarding them for their work in building better AI models.
  • Gradient (Eric): Gradient is creating a decentralized runtime for AI, enabling distributed inference and training on a network of underutilized consumer hardware. The goal is to provide a check on the centralizing power of large AI companies by allowing a global community to collaboratively train and serve models, retaining "intelligent sovereignty."

More Highlights from the Summit

  • Orin Katz (Starkware) presented building blocks for "compliant on-chain privacy," detailing how ZK-proofs can be used to create privacy pools and private tokens (ZRC20s) that include mechanisms like "viewing keys" for regulatory oversight.
  • Sam Green (Cambrian) gave an overview of the "Agentic Finance" landscape, categorizing crypto agents into trading, liquidity provisioning, lending, prediction, and information, and highlighted the need for fast, comprehensive, and verifiable data to power them.
  • Max Siegel (Privy) shared lessons from onboarding over 75 million users, emphasizing the need to meet users where they are, simplify product experiences, and let product needs inform infrastructure choices, not the other way around.
  • Nil Dalal (Coinbase) introduced the "Onchain Agentic Commerce Stack" and the open standard X42, a crypto-native protocol designed to create a "machine-payable web" where AI agents can seamlessly transact using stablecoins for data, APIs, and services.
  • Gordon Liao & Austin Adams (Circle) unveiled Circle Gateway, a new primitive for creating a unified USDC balance that is chain-abstracted. This allows for near-instant (<500ms) deployment of liquidity across multiple chains, dramatically improving capital efficiency for businesses and solvers.

The day concluded with a clear message: the foundational layers of crypto are maturing, and the focus is shifting decisively towards building robust, user-friendly, and economically sustainable applications that can bridge the gap between the on-chain world and the global economy.

Vlad Tenev: Tokenization Will Eat the Financial System

· 21 min read
Dora Noda
Software Engineer

Vlad Tenev has emerged as one of traditional finance's most bullish voices on cryptocurrency, declaring that tokenization is an unstoppable "freight train" that will eventually consume the entire financial system. Throughout 2024-2025, the Robinhood CEO delivered increasingly bold predictions about crypto's inevitable convergence with traditional finance, backed by aggressive product launches including a $200 million acquisition of Bitstamp, tokenized stock trading in Europe, and a proprietary Layer 2 blockchain. His vision centers on blockchain technology offering an "order of magnitude" cost advantage that will eliminate the distinction between crypto and traditional finance within 5-10 years, though he candidly admits the U.S. will lag behind Europe due to "sticking power" of existing infrastructure. This transformation accelerated dramatically after the 2024 election, with Robinhood's crypto business quintupling post-election as regulatory hostility shifted to enthusiasm under the Trump administration.

The freight train thesis: Tokenization will consume everything

At Singapore's Token2049 conference in October 2025, Tenev delivered his most memorable statement on crypto's future: "Tokenization is like a freight train. It can't be stopped, and eventually it's going to eat the entire financial system." This wasn't hyperbole but a detailed thesis he's been building throughout 2024-2025. He predicts most major markets will establish tokenization frameworks within five years, with full global adoption taking a decade or more. The transformation will expand addressable financial markets from single-digit trillions to tens of trillions of dollars.

His conviction rests on structural advantages of blockchain technology. "The cost of running a crypto business is an order of magnitude lower. There's just an obvious technology advantage," he told Fortune's Brainstorm Tech conference in July 2024. By leveraging open-source blockchain infrastructure, companies can eliminate expensive intermediaries for trade settlement, custody, and clearing. Robinhood is already using stablecoins internally to power weekend settlements, experiencing firsthand the efficiency gains from 24/7 instant settlement versus traditional rails.

The convergence between crypto and traditional finance forms the core of his vision. "I actually think cryptocurrency and traditional finance have been living in two separate worlds for a while, but they're going to fully merge," he stated at Token2049. "Crypto technology has so many advantages over the traditional way we're doing things that in the future there's going to be no distinction." He frames this not as crypto replacing finance, but as blockchain becoming the invisible infrastructure layer—like moving from filing cabinets to mainframes—that makes the financial system dramatically more efficient.

Stablecoins represent the first wave of this transformation. Tenev describes dollar-pegged stablecoins as the most basic form of tokenized assets, with billions already in circulation reinforcing U.S. dollar dominance abroad. "In the same way that stablecoins have become the default way to get digital access to dollars, tokenized stocks will become the default way for people outside the U.S. to get exposure to American equities," he predicted. The pattern will extend to private companies, real estate, and eventually all asset classes.

Building the tokenized future with stock tokens and blockchain infrastructure

Robinhood backed Tenev's rhetoric with concrete product launches throughout 2024-2025. In June 2025, the company hosted a dramatic event in Cannes, France titled "To Catch a Token," where Tenev presented a metal cylinder containing "keys to the first-ever stock tokens for OpenAI" while standing by a reflecting pool overlooking the Mediterranean. The company launched over 200 tokenized U.S. stocks and ETFs in the European Union, offering 24/5 trading with zero commissions or spreads, initially on the Arbitrum blockchain.

The launch wasn't without controversy. OpenAI immediately distanced itself, posting "We did not partner with Robinhood, were not involved in this, and do not endorse it." Tenev defended the product, acknowledging the tokens aren't "technically" equity but maintain they give retail investors exposure to private assets that would otherwise be inaccessible. He dismissed the controversy as part of broader U.S. regulatory delays, noting "the obstacles are legal rather than technical."

More significantly, Robinhood announced development of a proprietary Layer 2 blockchain optimized for tokenized real-world assets. Built on Arbitrum's technology stack, this blockchain infrastructure aims to support 24/7 trading, seamless bridging between chains, and self-custody capabilities. Tokenized stocks will eventually migrate to this platform. Johann Kerbrat, Robinhood's crypto general manager, explained the strategy: "Crypto was built by engineers for engineers, and has not been accessible to most people. We're onboarding the world to crypto by making it as easy to use as possible."

Tenev's timeline projections reveal measured optimism despite his bold vision. He expects the U.S. to be "among the last economies to actually fully tokenize" due to infrastructure inertia. Drawing an analogy to transportation, he noted: "The biggest challenge in the U.S. is that the financial system basically works. It's why we don't have bullet trains—medium-speed trains get you there well enough." This candid assessment acknowledges that working systems have greater sticking power than in regions where blockchain offers more dramatic improvement over dysfunctional alternatives.

Bitstamp acquisition unlocks institutional crypto and global expansion

Robinhood completed its $200 million acquisition of Bitstamp in June 2025, marking a strategic inflection point from pure retail crypto trading to institutional capabilities and international scale. Bitstamp brought 50+ active crypto licenses across Europe, the UK, U.S., and Asia, plus 5,000 institutional clients and $8 billion in cryptocurrency assets under custody. This acquisition addresses two priorities Tenev repeatedly emphasized: international expansion and institutional business development.

"There's two interesting things about the Bitstamp acquisition you should know. One is international. The second is institutional," Tenev explained on the Q2 2024 earnings call. The global licenses dramatically accelerate Robinhood's ability to enter new markets without building regulatory infrastructure from scratch. Bitstamp operates in over 50 countries, providing instant global footprint that would take years to replicate organically. "The goal is for Robinhood to be everywhere, anywhere where customers have smartphones, you should be able to open up a Robinhood account," he stated.

The institutional dimension proves equally strategic. Bitstamp's established relationships with institutional clients, lending infrastructure, staking services, and white-label crypto-as-a-service offerings transform Robinhood from retail-only to a full-stack crypto platform. "Institutions also want low-cost market access to crypto," Tenev noted. "We're really excited about bringing the same sort of Robinhood effect that we've brought to retail to the institutional space with crypto."

Integration proceeded rapidly through 2025. By Q2 2025 earnings, Robinhood reported Bitstamp exchange crypto notional trading volumes of $7 billion, complementing the Robinhood app's $28 billion in crypto volumes. The company also announced plans to hold its first crypto-focused customer event in France around midyear, signaling international expansion priorities. Tenev emphasized that unlike the U.S. where they started with stocks then added crypto, international markets might lead with crypto depending on regulatory environments and market demand.

Crypto revenue explodes from $135 million to over $600 million annually

Financial metrics underscore the dramatic shift in crypto's importance to Robinhood's business model. Annual crypto revenue surged from $135 million in 2023 to $626 million in 2024—a 363% increase. This acceleration continued into 2025, with Q1 alone generating $252 million in crypto revenue, representing over one-third of total transaction-based revenues. Q4 2024 proved particularly explosive, with $358 million in crypto revenue, up over 700% year-over-year, driven by the post-election "Trump pump" and expanding product capabilities.

These numbers reflect both volume growth and strategic pricing changes. Robinhood's crypto take rate expanded from 35 basis points at the start of 2024 to 48 basis points by October 2024, as CFO Jason Warnick explained: "We always want to have great prices for customers, but also balance the return that we generate for shareholders on that activity." Crypto notional trading volumes reached approximately $28 billion monthly by late 2024, with assets under custody totaling $38 billion as of November 2024.

Tenev described the post-election environment on CNBC as producing "basically what people are calling the 'Trump Pump,'" noting "widespread optimism that the Trump administration, which has stated that they wish to embrace cryptocurrencies and make America the center of cryptocurrency innovation worldwide, is going to have a much more forward-looking policy." On the Unchained podcast in December 2024, he revealed Robinhood's crypto business "quintupled post-election."

The Bitstamp acquisition adds significant scale. Beyond the $8 billion in crypto assets and institutional client base, Bitstamp's 85+ tradable crypto assets and staking infrastructure expand Robinhood's product capabilities. Cantor Fitzgerald analysis noted Robinhood's crypto volume spiked 36% in May 2025 while Coinbase's fell, suggesting market share gains. With crypto representing 38% of projected 2025 revenues, the business has evolved from speculative experiment to core revenue driver.

From regulatory "carpet bombing" to playing offense under Trump

Tenev's commentary on crypto regulation represents one of the starkest before-and-after narratives in his 2024-2025 statements. Speaking at the Bitcoin 2025 conference in Las Vegas, he characterized the previous regulatory environment bluntly: "Under the previous administration, we have been subject to…it was basically a carpet bombing of the entire industry." He expanded on a podcast: "In the previous administration with Gary Gensler at the SEC, we were very much in a defensive posture. There was crypto, which was, as you guys know, basically they were trying to delete crypto from the U.S."

This wasn't abstract criticism. Robinhood Crypto received an SEC Wells Notice in May 2024 signaling potential enforcement action. Tenev responded forcefully: "This is a disappointing development. We firmly believe U.S. consumers should have access to this asset class. They deserve to be on equal footing with people all over the world." The investigation eventually closed in February 2025 with no action, prompting Chief Legal Officer Dan Gallagher to state: "This investigation never should have been opened. Robinhood Crypto always has and will always respect federal securities laws and never allowed transactions in securities."

The Trump administration's arrival transformed the landscape. "Now suddenly, you're allowed to play some offense," Tenev told CBS News at the Bitcoin 2025 conference. "And we have an administration that's open to the technology." His optimism extended to specific personnel, particularly Paul Atkins' nomination to lead the SEC: "This administration has been hostile to crypto. Having people that understand and embrace it is very important for the industry."

Perhaps most significantly, Tenev revealed direct engagement with regulators on tokenization: "We've actually been engaging with the SEC crypto task force as well as the administration. And it's our belief, actually, that we don't even need congressional action to make tokenization real. The SEC can just do it." This represents a dramatic shift from regulation-by-enforcement to collaborative framework development. He told Bloomberg Businessweek: "Their intent appears to be to ensure that the US is the best place to do business and the leader in both of the emergent technology industries coming to the fore: crypto and AI."

Tenev also published a Washington Post op-ed in January 2025 advocating for specific policy reforms, including creating security token registration regimes, updating accredited investor rules from wealth-based to knowledge-based certification, and establishing clear guidelines for exchanges listing security tokens. "The world is tokenizing, and the United States should not get left behind," he wrote, noting the EU, Singapore, Hong Kong, and Abu Dhabi have advanced comprehensive frameworks while the U.S. lags.

Bitcoin, Dogecoin, and stablecoins: Selective crypto asset views

Tenev's statements reveal differentiated views across crypto assets rather than blanket enthusiasm. On Bitcoin, he acknowledged the asset's evolution: "Bitcoin's gone from largely being ridiculed to being taken very seriously," citing Federal Reserve Chair Powell's comparison of Bitcoin to gold as institutional validation. However, when asked about following MicroStrategy's strategy of holding Bitcoin as a treasury asset, Tenev declined. In an interview with Anthony Pompliano, he explained: "We have to do the work of accounting for it, and it's essentially on the balance sheet anyway. So there's a real reason for it [but] it could complicate things for public market investors"—potentially casting Robinhood as a "quasi Bitcoin-holding play" rather than a trading platform.

Notably, he observed that "Robinhood stock is already highly correlated to Bitcoin" even without holding it—HOOD stock rose 202% in 2024 versus Bitcoin's 110% gain. "So I would say we wouldn't rule it out. We haven't done it thus far but those are the kind of considerations we have." This reveals pragmatic rather than ideological thinking about crypto assets.

Dogecoin holds special significance in Robinhood's history. On the Unchained podcast, Tenev discussed "how Dogecoin became one of Robinhood's biggest assets for user onboarding," acknowledging that millions of users came to the platform through meme coin interest. Johann Kerbrat stated: "We don't see Dogecoin as a negative asset for us." Despite efforts to distance from 2021's meme stock frenzy, Robinhood continues offering Dogecoin, viewing it as a legitimate entry point for crypto-curious retail investors. Tenev even tweeted in 2022 asking whether "Doge can truly be the future currency of the Internet," showing genuine curiosity about the asset's properties as an "inflationary coin."

Stablecoins receive Tenev's most consistent enthusiasm as practical infrastructure. Robinhood invested in the Global Dollar Network's USDG stablecoin, which he described on the Q4 2024 earnings call: "We have USDG that we partner with a few other great companies on...a stablecoin that passes back yield to holders, which we think is the future. I think many of the leading stablecoins don't have a great way to pass yield to holders." More significantly, Robinhood uses stablecoins internally: "We see the power of that ourselves as a company...there's benefits to the technology and the 24-hour instant settlements for us as a business. In particular, we're using stablecoin to power a lot of our weekend settlements now." He predicted this internal adoption will drive broader institutional stablecoin adoption industrywide.

For Ethereum and Solana, Robinhood launched staking services in both Europe (enabled by MiCA regulations) and the U.S. Tenev noted "increasing interest in crypto staking" without it cannibalizing traditional cash-yield products. The company expanded its European crypto offerings to include SOL, MATIC, and ADA after these faced SEC scrutiny in the U.S., illustrating geographic arbitrage in regulatory approaches.

Prediction markets emerge as hybrid disruption opportunity

Prediction markets represent Tenev's most surprising crypto-adjacent bet, launching event contracts in late 2024 and rapidly scaling to over 4 billion contracts traded by October 2025, with 2 billion contracts in Q3 2025 alone. The 2024 presidential election proved the concept, with Tenev revealing "over 500 million contracts traded in right around a week leading up to the election." But he emphasized this isn't cyclical: "A lot of people had skepticism about whether this would only be an election thing...It's really much bigger than that."

At Token2049, Tenev articulated prediction markets' unique positioning: "Prediction markets has some similarities with traditional sports betting and gambling, there's also similarities with active trading in that there are exchange-traded products. It also has some similarities to traditional media news products because there's a lot of people that use prediction markets not to trade or speculate, but because they want to know." This hybrid nature creates disruption potential across multiple industries. "Robinhood will be front and center in terms of giving access to retail," he declared.

The product expanded beyond politics to sports (college football proving particularly popular), culture, and AI topics. "Prediction markets communicate information more quickly than newspapers or broadcast media," Tenev argued, positioning them as both trading instruments and information discovery mechanisms. On the Q4 2024 earnings call, he promised: "What you should expect from us is a comprehensive events platform that will give access to prediction markets across a wide variety of contracts later this year."

International expansion presents challenges due to varying regulatory classifications—futures contracts in some jurisdictions, gambling in others. Robinhood initiated talks with the UK's Financial Conduct Authority and other regulators about prediction market frameworks. Tenev acknowledged: "As with any new innovative asset class, we're pushing the boundaries here. And there's not regulatory clarity across all of it yet in particular sports which you mentioned. But we believe in it and we're going to be a leader."

AI-powered tokenized one-person companies represent convergence vision

At the Bitcoin 2025 conference, Tenev unveiled his most futuristic thesis connecting AI, blockchain, and entrepreneurship: "We're going to see more one-person companies. They're going to be tokenized and traded on the blockchain, just like any other asset. So it's going to be possible to invest economically in a person or a project that that person is running." He explicitly cited Satoshi Nakamoto as the prototype: "This is essentially like Bitcoin itself. Satoshi Nakamoto's personal brand is powered by technology."

The logic chains together several trends. "One of the things that AI makes possible is that it produces more and more value with fewer and fewer resources," Tenev explained. If AI dramatically reduces the resources required to build valuable companies, and blockchain provides instant global investment infrastructure through tokenization, entrepreneurs can create and monetize ventures without traditional corporate structures, employees, or venture capital. Personal brands become tradable assets.

This vision connects to Tenev's role as executive chairman of Harmonic, an AI startup focused on reducing hallucinations through Lean code generation. His mathematical background (Stanford BS, UCLA MS in Mathematics) informs optimism about AI solving complex problems. In an interview, he described the aspiration of "solving the Riemann hypothesis on a mobile app"—referencing one of mathematics' greatest unsolved problems.

The tokenized one-person company thesis also addresses wealth concentration concerns. Tenev's Washington Post op-ed criticized current accredited investor laws restricting private market access to high-net-worth individuals, arguing this concentrates wealth among the top 20%. If early-stage ventures can tokenize equity and distribute it globally via blockchain with appropriate regulatory frameworks, wealth creation from high-growth companies becomes more democratically accessible. "It's time to update our conversation about crypto from bitcoin and meme coins to what blockchain is really making possible: A new era of ultra-inclusive and customizable investing fit for this century," he wrote.

Robinhood positions at the intersection of crypto and traditional finance

Tenev consistently describes Robinhood's unique competitive positioning: "I think Robinhood is uniquely positioned at the intersection of traditional finance and DeFi. We're one of the few players that has scale, both in traditional financial assets and cryptocurrencies." This dual capability creates network effects competitors struggle to replicate. "What customers really love about trading crypto on Robinhood is that they not only have access to crypto, but they can trade equities, options, now futures, soon a comprehensive suite of event contracts all in one place," he told analysts.

The strategy involves building comprehensive infrastructure across the crypto stack. Robinhood now offers: crypto trading with 85+ assets via Bitstamp, staking for ETH and SOL, non-custodial Robinhood Wallet for accessing thousands of additional tokens and DeFi protocols, tokenized stocks and private companies, crypto perpetual futures in Europe with 3x leverage, proprietary Layer 2 blockchain under development, USDG stablecoin investment, and smart exchange routing allowing active traders to route directly to exchange order books.

This vertical integration contrasts with specialized crypto exchanges lacking traditional finance integration or traditional brokerages dabbling in crypto. "Tokenization once permissible in the U.S., I think, is going to be a huge opportunity that Robinhood is going to be front and center in," Tenev stated on the Q4 2024 earnings call. The company launched 10+ product lines each on track for $100 million+ annual revenue, with crypto representing a substantial pillar alongside options, stocks, futures, credit cards, and retirement accounts.

Asset listing strategy reflects balancing innovation with risk management. Robinhood lists fewer cryptocurrencies than competitors—20 in the U.S., 40 in Europe—maintaining what Tenev calls a "conservative approach." After receiving the SEC Wells Notice, he emphasized: "We've operated our crypto business in good faith. We've been very conservative in our approach in terms of coins listed and services offered." However, regulatory clarity is changing this calculus: "In fact, we've added seven new assets since the election. And as we continue to get more and more regulatory clarity, you should expect to see that continue and accelerate."

The competitive landscape includes Coinbase as the dominant U.S. crypto exchange, plus traditional brokerages like Schwab and Fidelity adding crypto. CFO Jason Warnick addressed competition on earnings calls: "While there may be more competition over time, I do expect that there will be greater demand for crypto as well. I think we're beginning to see that crypto is becoming more mainstream." Robinhood's crypto volume spike of 36% in May 2025 while Coinbase's declined suggests the integrated platform approach is winning share.

Timeline and predictions: Five years to frameworks, decades to completion

Tenev provides specific timeline predictions rare among crypto optimists. At Token2049, he stated: "I think most major markets will have some framework in the next five years," targeting roughly 2030 for regulatory clarity across major financial centers. However, reaching "100% adoption could take more than a decade," acknowledging the difference between frameworks existing and complete migration to tokenized systems.

His predictions break down by geography and asset class. Europe leads on regulatory frameworks through MiCA regulations and will likely see tokenized stock trading go mainstream first. The U.S. will be "among the last economies to actually fully tokenize" due to infrastructure sticking power, but the Trump administration's crypto-friendly posture accelerates timelines versus previous expectations. Asia, particularly Singapore, Hong Kong, and Abu Dhabi, advances rapidly due to both regulatory clarity and less legacy infrastructure to overcome.

Asset class predictions show staggered adoption. Stablecoins already achieved product-market fit as the "most basic form of tokenized assets." Stocks and ETFs enter tokenization phase now in Europe, with U.S. timelines depending on regulatory developments. Private company equity represents near-term opportunity, with Robinhood already offering tokenized OpenAI and SpaceX shares despite controversy. Real estate comes next—Tenev noted tokenizing real estate is "mechanically no different from tokenizing a private company"—assets placed into corporate structures, then tokens issued against them.

His boldest claim suggests crypto entirely absorbs traditional finance architecture: "In the future, everything will be on-chain in some form" and "the distinction between crypto and TradFi will disappear." The transformation occurs not through crypto replacing finance but blockchain becoming the invisible settlement and custody layer. "You don't have to squint too hard to imagine a world where stocks are on blockchains," he told Fortune. Just as users don't think about TCP/IP when browsing the web, future investors won't distinguish between "crypto" and "regular" assets—blockchain infrastructure simply powers all trading, custody, and settlement invisibly.

Conclusion: Technology determinism meets regulatory pragmatism

Vlad Tenev's cryptocurrency vision reveals a technology determinist who believes blockchain's cost and efficiency advantages make adoption inevitable, combined with a regulatory pragmatist who acknowledges legacy infrastructure creates decade-long timelines. His "freight train" metaphor captures this duality—tokenization moves with unstoppable momentum but at measured speed requiring regulatory tracks to be built ahead of it.

Several insights distinguish his perspective from typical crypto boosterism. First, he candidly admits the U.S. financial system "basically works," acknowledging working systems resist replacement regardless of theoretical advantages. Second, he doesn't evangelize blockchain ideologically but frames it pragmatically as infrastructure evolution comparable to filing cabinets giving way to computers. Third, his revenue metrics and product launches back rhetoric with execution—crypto grew from $135 million to over $600 million annually, with concrete products like tokenized stocks and a proprietary blockchain under development.

The dramatic regulatory shift from "carpet bombing" under the Biden administration to "playing offense" under Trump provides the catalyst Tenev believes enables U.S. competitiveness. His direct SEC engagement on tokenization frameworks and public advocacy through op-eds position Robinhood as a partner in writing rules rather than evading them. Whether his prediction of convergence between crypto and traditional finance within 5-10 years proves accurate depends heavily on regulators following through with clarity.

Most intriguingly, Tenev's vision extends beyond speculation and trading to structural transformation of capital formation itself. His AI-powered tokenized one-person companies and advocacy for reformed accredited investor laws suggest belief that blockchain plus AI democratizes wealth creation and entrepreneurship fundamentally. This connects his mathematical background, immigrant experience, and stated mission of "democratizing finance for all" into a coherent worldview where technology breaks down barriers between ordinary people and wealth-building opportunities.

Whether this vision materializes or falls victim to regulatory capture, entrenched interests, or technical limitations remains uncertain. But Tenev has committed Robinhood's resources and reputation to the bet that tokenization represents not just a product line but the future architecture of the global financial system. The freight train is moving—the question is whether it reaches the destination on his timeline.

The Rise of Autonomous Capital

· 45 min read
Dora Noda
Software Engineer

AI-powered agents controlling their own cryptocurrency wallets are already managing billions in assets, making independent financial decisions, and reshaping how capital flows through decentralized systems. This convergence of artificial intelligence and blockchain technology—what leading thinkers call "autonomous capital"—represents a fundamental transformation in economic organization, where intelligent software can operate as self-sovereign economic actors without human intermediation. The DeFi AI (DeFAI) market reached $1 billion in early 2025, while the broader AI agent market peaked at $17 billion, demonstrating rapid commercial adoption despite significant technical, regulatory, and philosophical challenges. Five key thought leaders—Tarun Chitra (Gauntlet), Amjad Masad (Replit), Jordi Alexander (Selini Capital), Alexander Pack (Hack VC), and Irene Wu (Bain Capital Crypto)—are pioneering different approaches to this space, from automated risk management and development infrastructure to investment frameworks and cross-chain interoperability. Their work is creating the foundation for a future where AI agents may outnumber humans as primary blockchain users, managing portfolios autonomously and coordinating in decentralized networks—though this vision faces critical questions about accountability, security, and whether trustless infrastructure can support trustworthy AI decision-making.

What autonomous capital means and why it matters now

Autonomous capital refers to capital (financial assets, resources, decision-making power) controlled and deployed by autonomous AI agents operating on blockchain infrastructure. Unlike traditional algorithmic trading or automated systems requiring human oversight, these agents hold their own cryptocurrency wallets with private keys, make independent strategic decisions, and participate in decentralized finance protocols without continuous human intervention. The technology converges three critical innovations: AI's decision-making capabilities, crypto's programmable money and trustless execution, and smart contracts' ability to enforce agreements without intermediaries.

The technology has already arrived. As of October 2025, over 17,000 AI agents operate on Virtuals Protocol alone, with notable agents like AIXBT commanding $500 million valuations and Truth Terminal spawning the GOAT memecoin that briefly reached \1 billion. Gauntlet's risk management platform analyzes 400+ million data points daily across DeFi protocols managing billions in total value locked. Replit's Agent 3 enables 200+ minutes of autonomous software development, while SingularityDAO's AI-managed portfolios delivered 25% ROI in two months through adaptive market-making strategies.

Why this matters: Traditional finance excludes AI systems regardless of sophistication—banks require human identity and KYC checks. Cryptocurrency wallets, by contrast, are generated through cryptographic key pairs accessible to any software agent. This creates the first financial infrastructure where AI can operate as independent economic actors, opening possibilities for machine-to-machine economies, autonomous treasury management, and AI-coordinated capital allocation at scales and speeds impossible for humans. Yet it also raises profound questions about who is accountable when autonomous agents cause harm, whether decentralized governance can manage AI risks, and if the technology will concentrate or democratize economic power.

The thought leaders shaping autonomous capital

Tarun Chitra: From simulation to automated governance

Tarun Chitra, CEO and co-founder of Gauntlet (valued at $1 billion), pioneered applying agent-based simulation from algorithmic trading and autonomous vehicles to DeFi protocols. His vision of "automated governance" uses AI-driven simulations to enable protocols to make decisions scientifically rather than through subjective voting alone. In his landmark 2020 article "Automated Governance: DeFi's Scientific Evolution," Chitra articulated how continuous adversarial simulation could create "a safer, more efficient DeFi ecosystem that's resilient to attacks and rewards honest participants fairly."

Gauntlet's technical implementation proves the concept at scale. The platform runs thousands of simulations daily against actual smart contract code, models profit-maximizing agents interacting within protocol rules, and provides data-driven parameter recommendations for $1+ billion in protocol assets. His framework involves codifying protocol rules, defining agent payoffs, simulating agent interactions, and optimizing parameters to balance macroscopic protocol health with microscopic user incentives. This methodology has influenced major DeFi protocols including Aave (4-year engagement), Compound, Uniswap, and Morpho, with Gauntlet publishing 27 research papers on constant function market makers, MEV analysis, liquidation mechanisms, and protocol economics.

Chitra's 2023 founding of Aera protocol advanced autonomous treasury management, enabling DAOs to respond quickly to market changes through "crowdsourced investment portfolio management." His recent focus on AI agents reflects predictions that they will "dominate on-chain financial activity" and that "AI will change the course of history in crypto" by 2025. From Token2049 appearances in London (2021), Singapore (2024, 2025), and regular podcast hosting on The Chopping Block, Chitra consistently emphasizes moving from subjective human governance to data-driven, simulation-tested decision-making.

Key insight: "Finance itself is fundamentally a legal practice—it's money plus law. Finance becomes more elegant with smart contracts." His work demonstrates that autonomous capital isn't about replacing humans entirely, but about using AI to make financial systems more scientifically rigorous through continuous simulation and optimization.

Amjad Masad: Building infrastructure for the network economy

Amjad Masad, CEO of Replit (valued at $3 billion as of October 2025), envisions a radical economic transformation where autonomous AI agents with crypto wallets replace traditional hierarchical software development with decentralized network economies. His viral 2022 Twitter thread predicted "monumental changes coming to software this decade," arguing AI represents the next 100x productivity boost enabling programmers to "command armies" of AI agents while non-programmers could also command agents for software tasks.

The network economy vision centers on autonomous agents as economic actors. In his Sequoia Capital podcast interview, Masad described a future where "software agents and I'm going to say, 'Okay. Well, I need to create this product.' And the agent is going to be like, 'Oh. Well, I'm going to go grab this database from this area, this thing that sends SMS or email from this area. And by the way, they're going to cost this much.' And as an agent I actually have a wallet, I'm going to be able to pay for them." This replaces the factory pipeline model with network-based composition where agents autonomously assemble services and value flows automatically through the network.

Replit's Agent 3, launched September 2025, demonstrates this vision technically with 10x more autonomy than predecessors—operating for 200+ minutes independently, self-testing and debugging through "reflection loops," and building other agents and automations. Real users report building $400 ERP systems versus $150,000 vendor quotes and 85% productivity increases. Masad predicts the "value of all application software will eventually 'go to zero'" as AI enables anyone to generate complex software on demand, transforming the nature of companies from specialized roles to "generalist problem solvers" augmented by AI agents.

On crypto's role, Masad strongly advocates Bitcoin Lightning Network integration, viewing programmable money as an essential platform primitive. He stated: "Bitcoin Lightning, for example, bakes value right into the software supply chain and makes it easier to transact both human-to-human and machine-to-machine. Driving the transaction cost and overhead in software down means that it will be a lot easier to bring developers into your codebase for one-off tasks." His vision of Web3 as "read-write-own-remix" and plans to consider native Replit currency as a platform primitive demonstrate deep integration between AI agent infrastructure and crypto-economic coordination.

Masad spoke at the Network State Conference (October 3, 2025) in Singapore immediately following Token2049, alongside Vitalik Buterin, Brian Armstrong, and Balaji Srinivasan, positioning him as a bridge between crypto and AI communities. His prediction: "Single-person unicorns" will become common when "everyone's a developer" through AI augmentation, fundamentally changing macroeconomics and enabling the "billion developer" future where 1 billion people globally create software.

Jordi Alexander: Judgment as currency in the AI age

Jordi Alexander, Founder/CIO of Selini Capital ($1 billion+ AUM) and Chief Alchemist at Mantle Network, brings game theory expertise from professional poker (won WSOP bracelet defeating Phil Ivey in 2024) to market analysis and autonomous capital investing. His thesis centers on "judgment as currency"—the uniquely human ability to integrate complex information and make optimal decisions that machines cannot replicate, even as AI handles execution and analysis.

Alexander's autonomous capital framework emphasizes convergence of "two key industries of this century: building intelligent foundational modules (like AI) and building the foundational layer for social coordination (like crypto technology)." He argues traditional retirement planning is obsolete due to real inflation (~15% annually vs. official rates), coming wealth redistribution, and the need to remain economically productive: "There is no such thing as retirement" for those under 50. His provocative thesis: "In the next 10 years, the gap between having $100,000 and $10 million may not be that significant. What's key is how to spend the next few years" positioning effectively for the "100x moment" when wealth creation accelerates dramatically.

His investment portfolio demonstrates conviction in AI-crypto convergence. Selini backed TrueNorth ($1M seed, June 2025), described as "crypto's first autonomous, AI-powered discovery engine" using "agentic workflows" and reinforcement learning for personalized investing. The firm's largest-ever check went to Worldcoin (May 2024), recognizing "the obvious need for completely new technological infra and solutions in the coming world of AI." Selini's 46-60 total investments include Ether.fi (liquid staking), RedStone (oracles), and market-making across centralized and decentralized exchanges, demonstrating systematic trading expertise applied to autonomous systems.

Token2049 participation includes London (November 2022) discussing "Reflections on the Latest Cycle's Wild Experiments," Dubai (May 2025) on liquid venture investing and memecoins, and Singapore appearances analyzing macro-crypto interplay. His Steady Lads podcast (92+ episodes through 2025) featured Vitalik Buterin discussing crypto-AI intersections, quantum risk, and Ethereum's evolution. Alexander emphasizes escaping "survival mode" to access higher-level thinking, upskilling constantly, and building judgment through experience as essential for maintaining economic relevance when AI agents proliferate.

Key perspective: "Judgment is the ability to integrate complex information and make optimal decisions—this is precisely where machines fall short." His vision sees autonomous capital as systems where AI executes at machine speed while humans provide strategic judgment, with crypto enabling the coordination layer. On Bitcoin specifically: "the only digital asset with true macro significance" projected for 5-10x growth over five years as institutional capital enters, viewing it as superior property rights protection versus vulnerable physical assets.

Alexander Pack: Infrastructure for decentralized AI economies

Alexander Pack, Co-Founder and Managing Partner at Hack VC (managing ~$590M AUM), describes Web3 AI as "the biggest source of alpha in investing today," allocating 41% of the firm's latest fund to AI-crypto convergence—the highest concentration among major crypto VCs. His thesis: "AI's rapid evolution is creating massive efficiencies, but also increasing centralization. The intersection of crypto and AI is by far the biggest investment opportunity in the space, offering an open, decentralized alternative."

Pack's investment framework treats autonomous capital as requiring four infrastructure layers: data (Grass investment—$2.5B FDV), compute (io.net—$2.2B FDV), execution (Movement Labs—$7.9B FDV, EigenLayer—$4.9B FDV), and security (shared security through restaking). The Grass investment demonstrates the thesis: a decentralized network of 2.5+ million devices performs web scraping for AI training data, already collecting 45TB daily (equivalent to ChatGPT 3.5 training dataset). Pack articulated: "Algorithms + Data + Compute = Intelligence. This means that Data and Compute will likely become two of the world's most important assets, and access to them will be incredibly important. Crypto is all about giving access to new digital resources around the world and asset-izing things that weren't assets before via tokens."

Hack VC's 2024 performance validates the approach: Second most active lead crypto VC, deploying $128M across dozens of deals, with 12 crypto x AI investments producing 4 unicorns in 2024 alone. Major token launches include Movement Labs ($7.9B), EigenLayer ($4.9B), Grass ($2.5B), io.net ($2.2B), Morpho ($2.4B), Kamino ($1.0B), and AltLayer ($0.9B). The firm operates Hack.Labs, an in-house platform for institutional-grade network participation, staking, quantitative research, and open-source contributions, employing former Jane Street senior traders.

From his March 2024 Unchained podcast appearance, Pack identified AI agents as capital allocators that "can autonomously manage portfolios, execute trades, and optimize yield," with DeFi integration enabling "AI agents with crypto wallets participating in decentralized financial markets." He emphasized "we are still so early" in crypto infrastructure, requiring significant improvements in scalability, security, and user experience before mainstream adoption. Token2049 Singapore 2025 confirmed Pack as a speaker (October 1-2), participating in expert discussion panels on crypto and AI topics at the premier Asia crypto event with 25,000+ attendees.

The autonomous capital framework (synthesized from Hack VC's investments and publications) envisions five layers: Intelligence (AI models), Data & Compute Infrastructure (Grass, io.net), Execution & Verification (Movement, EigenLayer), Financial Primitives (Morpho, Kamino), and Autonomous Agents (portfolio management, trading, market-making). Pack's key insight: Decentralized, transparent systems proved more resilient than centralized finance during 2022 bear markets (DeFi protocols survived while Celsius, BlockFi, FTX collapsed), suggesting blockchain better suited for AI-driven capital allocation than opaque centralized alternatives.

Irene Wu: Omnichain infrastructure for autonomous systems

Irene Wu, Venture Partner at Bain Capital Crypto and former Head of Strategy at LayerZero Labs, brings unique technical expertise to autonomous capital infrastructure, having coined the term "omnichain" to describe cross-chain interoperability via messaging. Her investment portfolio strategically positions at AI-crypto convergence: Cursor (AI-first code editor), Chaos Labs (Artificial Financial Intelligence), Ostium (leveraged trading platform), and Econia (DeFi infrastructure), demonstrating focus on verticalized AI applications and autonomous financial systems.

Wu's LayerZero contributions established foundational cross-chain infrastructure enabling autonomous agents to operate seamlessly across blockchains. She championed three core design principles—Immutability, Permissionlessness, and Censorship Resistance—and developed OFT (Omnichain Fungible Token) and ONFT (Omnichain Non-Fungible Token) standards. The Magic Eden partnership she led created "Gas Station," enabling seamless gas token conversion for cross-chain NFT purchases, demonstrating practical reduction of friction in decentralized systems. Her positioning of LayerZero as "TCP/IP for blockchains" captures the vision of universal interoperability protocols underlying agent economies.

Wu's consistent emphasis on removing friction from Web3 experiences directly supports autonomous capital infrastructure. She advocates chain abstraction—users shouldn't need to understand which blockchain they're using—and pushes for "10X better experiences to justify blockchain complexity." Her critique of crypto's research methods ("seeing on Twitter who's complaining the most") versus proper Web2-style user research interviews reflects commitment to user-centric design principles essential for mainstream adoption.

Investment thesis indicators from her portfolio reveal focus on AI-augmented development (Cursor enables AI-native coding), autonomous financial intelligence (Chaos Labs applies AI to DeFi risk management), trading infrastructure (Ostium provides leveraged trading), and DeFi primitives (Econia builds foundational protocols). This pattern strongly aligns with autonomous capital requirements: AI agents need development tools, financial intelligence capabilities, trading execution infrastructure, and foundational DeFi protocols to operate effectively.

While specific Token2049 participation wasn't confirmed in available sources (social media access restricted), Wu's speaking engagements at Consensus 2023 and Proof of Talk Summit demonstrate thought leadership in blockchain infrastructure and developer tools. Her technical background (Harvard Computer Science, software engineering at J.P. Morgan, co-founder of Harvard Blockchain Club) combined with strategic roles at LayerZero and Bain Capital Crypto positions her as a critical voice on the infrastructure requirements for AI agents operating in decentralized environments.

Theoretical foundations: Why AI and crypto enable autonomous capital

The convergence enabling autonomous capital rests on three technical pillars solving fundamental coordination problems. First, cryptocurrency provides financial autonomy impossible in traditional banking systems. AI agents can generate cryptographic key pairs to "open their own bank account" with zero human approval, accessing permissionless 24/7 global settlement and programmable money for complex automated operations. Traditional finance categorically excludes non-human entities regardless of capability; crypto is the first financial infrastructure treating software as legitimate economic actors.

Second, trustless computational substrates enable verifiable autonomous execution. Blockchain smart contracts provide Turing-complete global computers with decentralized validation ensuring tamper-proof execution where no single operator controls outcomes. Trusted Execution Environments (TEEs) like Intel SGX provide hardware-based secure enclaves isolating code from host systems, enabling confidential computation with private key protection—critical for agents since "neither cloud administrators nor malicious node operators can 'reach into the jar.'" Decentralized Physical Infrastructure Networks (DePIN) like io.net and Phala Network combine TEEs with crowd-sourced hardware to create permissionless, distributed AI compute.

Third, blockchain-based identity and reputation systems give agents persistent personas. Self-Sovereign Identity (SSI) and Decentralized Identifiers (DIDs) enable agents to hold their own "digital passports," with verifiable credentials proving skills and on-chain reputation tracking creating immutable track records. Proposed "Know Your Agent" (KYA) protocols adapt KYC frameworks for machine identities, while emerging standards like Model Context Protocol (MCP), Agent Communication Protocol (ACP), Agent-to-Agent Protocol (A2A), and Agent Network Protocol (ANP) enable agent interoperability.

The economic implications are profound. Academic frameworks like the "Virtual Agent Economies" paper from researchers including Nenad Tomasev propose analyzing emergent AI agent economic systems along origins (emergent vs. intentional) and separateness (permeable vs. impermeable from human economy). Current trajectory: spontaneous emergence of vast, highly permeable AI agent economies with opportunities for unprecedented coordination but significant risks including systemic economic instability and exacerbated inequality. Game-theoretic considerations—Nash equilibria in agent-agent negotiations, mechanism design for fair resource allocation, auction mechanisms for resources—become critical as agents operate as rational economic actors with utility functions, making strategic decisions in multi-agent environments.

The market demonstrates explosive adoption. AI agent tokens reached $10+ billion market caps by December 2024, surging 322% in late 2024. Virtuals Protocol launched 17,000+ tokenized AI agents on Base (Ethereum L2), while ai16z operates a $2.3 billion market cap autonomous venture fund on Solana. Each agent issues tokens enabling fractional ownership, revenue sharing through staking, and community governance—creating liquid markets for AI agent performance. This tokenization model enables "co-ownership" of autonomous agents, where token holders gain economic exposure to agent activities while agents gain capital to deploy autonomously.

Philosophically, autonomous capital challenges fundamental assumptions about agency, ownership, and control. Traditional agency requires control/freedom conditions (no coercion), epistemic conditions (understanding actions), moral reasoning capacity, and stable personal identity. LLM-based agents raise questions: Do they truly "intend" or merely pattern-match? Can probabilistic systems be held responsible? Research participants note agents "are probabilistic models incapable of responsibility or intent; they cannot be 'punished' or 'rewarded' like human players" and "lack a body to experience pain," meaning conventional deterrence mechanisms fail. The "trustless paradox" emerges: deploying agents in trustless infrastructure avoids trusting fallible humans, but the AI agents themselves remain potentially untrustworthy (hallucinations, biases, manipulation), and trustless substrates prevent intervention when AI misbehaves.

Vitalik Buterin identified this tension, noting "Code is law" (deterministic smart contracts) conflicts with LLM hallucinations (probabilistic outputs). Four "invalidities" govern decentralized agents according to research: territorial jurisdictional invalidity (borderless operation defeats single-nation laws), technical invalidity (architecture resists external control), enforcement invalidity (can't stop agents after sanctioning deployers), and accountability invalidity (agents lack legal personhood, can't be sued or charged). Current experimental approaches like Truth Terminal's charitable trust with human trustees attempt separating ownership from agent autonomy while maintaining developer responsibility tied to operational control.

Predictions from leading thinkers converge on transformative scenarios. Balaji Srinivasan argues "AI is digital abundance, crypto is digital scarcity"—complementary forces where AI creates content while crypto coordinates and proves value, with crypto enabling "proof of human authenticity in world of AI deepfakes." Sam Altman's observation that AI and crypto represent "indefinite abundance and definite scarcity" captures their symbiotic relationship. Ali Yahya (a16z) synthesizes the tension: "AI centralizes, crypto decentralizes," suggesting need for robust governance managing autonomous agent risks while preserving decentralization benefits. The a16z vision of a "billion-dollar autonomous entity"—a decentralized chatbot running on permissionless nodes via TEEs, building following, generating income, managing assets without human control—represents the logical endpoint where no single point of control exists and consensus protocols coordinate the system.

Technical architecture: How autonomous capital actually works

Implementing autonomous capital requires sophisticated integration of AI models with blockchain protocols through hybrid architectures balancing computational power against verifiability. The standard approach uses three-layer architecture: perception layer gathering blockchain and external data via oracle networks (Chainlink handles 5+ billion data points daily), reasoning layer conducting off-chain AI model inference with zero-knowledge proofs of computation, and action layer executing transactions on-chain through smart contracts. This hybrid design addresses fundamental blockchain constraints—gas limits preventing heavy AI computation on-chain—while maintaining trustless execution guarantees.

Gauntlet's implementation demonstrates production-ready autonomous capital at scale. The platform's technical architecture includes cryptoeconomic simulation engines running thousands of agent-based models daily against actual smart contract code, quantitative risk modeling using ML models trained on 400+ million data points refreshed 6 times daily across 12+ Layer 1 and Layer 2 blockchains, and automated parameter optimization dynamically adjusting collateral ratios, interest rates, liquidation thresholds, and fee structures. Their MetaMorpho vault system on Morpho Blue provides elegant infrastructure for permissionless vault creation with externalized risk management, enabling Gauntlet's WETH Prime and USDC Prime vaults to optimize risk-adjusted yield across liquid staking recursive yield markets. The basis trading vaults combine LST spot assets with perpetual funding rates at up to 2x dynamic leverage when market conditions create favorable spreads, demonstrating sophisticated autonomous strategies managing real capital.

Zero-knowledge machine learning (zkML) enables trustless AI verification. The technology proves ML model execution without revealing model weights or input data using ZK-SNARKs and ZK-STARKs proof systems. Modulus Labs benchmarked proving systems across model sizes, demonstrating models with up to 18 million parameters provable in ~50 seconds using plonky2. EZKL provides open-source frameworks converting ONNX models to ZK circuits, used by OpenGradient for decentralized ML inference. RiscZero offers general-purpose zero-knowledge VMs enabling verifiable ML computation integrated with DeFi protocols. The architecture flows: input data → ML model (off-chain) → output → ZK proof generator → proof → smart contract verifier → accept/reject. Use cases include verifiable yield strategies (Giza + Yearn collaboration), on-chain credit scoring, private model inference on sensitive data, and proof of model authenticity.

Smart contract structures enabling autonomous capital include Morpho's permissionless vault deployment system with customizable risk parameters, Aera's V3 protocol for programmable vault rules, and integration with Pyth Network oracles providing sub-second price feeds. Technical implementation uses Web3 interfaces (ethers.js, web3.py) connecting AI agents to blockchain via RPC providers, with automated transaction signing using cryptographically secured multi-party computation (MPC) wallets splitting private keys across participants. Account abstraction (ERC-4337) enables programmable account logic, allowing sophisticated permission systems where AI agents can execute specific actions without full wallet control.

The Fetch.ai uAgents framework demonstrates practical agent development with Python libraries enabling autonomous economic agents registered on Almanac smart contracts. Agents operate with cryptographically secured messages, automated blockchain registration, and interval-based execution handling market analysis, signal generation, and trade execution. Example implementations show market analysis agents fetching oracle prices, conducting ML model inference, and executing on-chain trades when confidence thresholds are met, with inter-agent communication enabling multi-agent coordination for complex strategies.

Security considerations are critical. Smart contract vulnerabilities including reentrancy attacks, arithmetic overflow/underflow, access control issues, and oracle manipulation have caused $11.74+ billion in losses since 2017, with $1.5 billion lost in 2024 alone. AI agent-specific threats include prompt injection (malicious inputs manipulating agent behavior), oracle manipulation (compromised data feeds misleading decisions), context manipulation (adversarial attacks exploiting external inputs), and credential leakage (exposed API keys or private keys). Research from University College London and University of Sydney demonstrated the A1 system—an AI agent autonomously discovering and exploiting smart contract vulnerabilities with 63% success rate on 36 real-world vulnerable contracts, extracting up to $8.59 million per exploit at $0.01-$3.59 cost, proving AI agents favor exploitation over defense economically.

Security best practices include formal verification of smart contracts, extensive testnet testing, third-party audits (Cantina, Trail of Bits), bug bounty programs, real-time monitoring with circuit breakers, time-locks on critical operations, multi-signature requirements for large transactions, Trusted Execution Environments (Phala Network), sandboxed code execution with syscall filtering, network restrictions, and rate limiting. The defensive posture must be paranoid-level rigorous as attackers achieve profitability at $6,000 exploit values while defenders require $60,000 to break even, creating fundamental economic asymmetry favoring attacks.

Scalability and infrastructure requirements create bottlenecks. Ethereum's ~30 million gas per block, 12-15 second block times, high fees during congestion, and 15-30 TPS throughput cannot support ML model inference directly. Solutions include Layer 2 networks (Arbitrum/Optimism rollups reducing costs 10-100x, Base with native agent support, Polygon sidechains), off-chain computation with on-chain verification, and hybrid architectures. Infrastructure requirements include RPC nodes (Alchemy, Infura, NOWNodes), oracle networks (Chainlink, Pyth, API3), decentralized storage (IPFS for model weights), GPU clusters for ML inference, and 24/7 monitoring with low latency and high reliability. Operational costs range from RPC calls ($0-$500+/month), compute ($100-$10,000+/month for GPU instances), to highly variable gas fees ($1-$1,000+ per complex transaction).

Current performance benchmarks show zkML proving 18-million parameter models in 50 seconds on powerful AWS instances, Internet Computer Protocol achieving 10X+ improvements with Cyclotron optimization for on-chain image classification, and Bittensor operating 80+ active subnets with validators evaluating ML models. Future developments include hardware acceleration through specialized ASIC chips for ZK proof generation, GPU subnets in ICP for on-chain ML, improved account abstraction, cross-chain messaging protocols (LayerZero, Wormhole), and emerging standards like Model Context Protocol for agent interoperability. The technical maturity is advancing rapidly, with production systems like Gauntlet proving billion-dollar TVL viability, though limitations remain around large language model size, zkML latency, and gas costs for frequent operations.

Real-world implementations: What's actually working today

SingularityDAO demonstrates AI-managed portfolio performance with quantifiable results. The platform's DynaSets—dynamically managed asset baskets automatically rebalanced by AI—achieved 25% ROI in two months (October-November 2022) through adaptive multi-strategy market-making, and 20% ROI for weekly and bi-weekly strategy evaluation of BTC+ETH portfolios, with weighted fund allocation delivering higher returns than fixed allocation. Technical architecture includes backtesting on 7 days of historical market data, predictive strategies based on social media sentiment, algorithmic trading agents for liquidity provision, and active portfolio management including portfolio planning, balancing, and trading. The Risk Engine evaluates numerous risks for optimal decision-making, with the Dynamic Asset Manager conducting AI-based automated rebalancing. Currently three active DynaSets operate (dynBTC, dynETH, dynDYDX) managing live capital with transparent on-chain performance.

Virtuals Protocol ($1.8 billion market cap) leads AI agent tokenization with 17,000+ agents launched on the platform as of early 2025. Each agent receives 1 billion tokens minted, generates revenue through "inference fees" from chat interactions, and grants governance rights to token holders. Notable agents include Luna (LUNA) with $69 million market cap—a virtual K-pop star and live streamer with 1 million TikTok followers generating revenue through entertainment; AIXBT at $0.21—providing AI-driven market insights with 240,000+ Twitter followers and staking mechanisms; and VaderAI (VADER) at $0.05—offering AI monetization tools and DAO governance. The GAME Framework (Generative Autonomous Multimodal Entities) provides technical foundation, while the Agent Commerce Protocol creates open standards for agent-to-agent commerce with Immutable Contribution Vault (ICV) maintaining historical ledgers of approved contributions. Partnerships with Illuvium integrate AI agents into gaming ecosystems, and security audits addressed 7 issues (3 medium, 4 low severity).

ai16z operates as an autonomous venture fund with $2.3 billion market cap on Solana, building the ELIZA framework—the most widely adopted open-source modular architecture for AI agents with thousands of deployments. The platform enables decentralized, collaborative development with plugin ecosystems driving network effects: more developers create more plugins, attracting more developers. A trust marketplace system addresses autonomous agent accountability, while plans for a dedicated blockchain specifically for AI agents demonstrate long-term infrastructure vision. The fund operates with defined expiration (October 2025) and $22+ million locked, demonstrating time-bound autonomous capital management.

Gauntlet's production infrastructure manages $1+ billion in DeFi protocol TVL through continuous simulation and optimization. The platform monitors 100+ DeFi protocols with real-time risk assessment, conducts agent-based simulations for protocol behavior under stress, and provides dynamic parameter adjustments for collateral ratios, liquidation thresholds, interest rate curves, fee structures, and incentive programs. Major protocol partnerships include Aave (4-year engagement ended 2024 due to governance disagreements), Compound (pioneering automated governance implementation), Uniswap (liquidity and incentive optimization), Morpho (current vault curation partnership), and Seamless Protocol (active risk monitoring). The vault curation framework includes market analysis monitoring emerging yield opportunities, risk assessment evaluating liquidity and smart contract risk, strategy design creating optimal allocations, automated execution to MetaMorpho vaults, and continuous optimization through real-time rebalancing. Performance metrics demonstrate the platform's update frequency (6 times daily), data volume (400+ million points across 12+ blockchains), and methodology sophistication (Value-at-Risk capturing broad market downturns, broken correlation risks like LST divergence and stablecoin depegs, and tail risk quantification).

Autonomous trading bots show mixed but improving results. Gunbot users report starting with $496 USD on February 26 and growing to $1,358 USD (+174%) running on 20 pairs on dYdX with self-hosted execution eliminating third-party risk. Cryptohopper users achieved 35% annual returns in volatile markets through 24/7 cloud-based automated trading with AI-powered strategy optimization and social trading features. However, overall statistics reveal 75-89% of bot customers lose funds with only 11-25% earning profits, highlighting risks from over-optimization (curve-fitting to historical data), market volatility and black swan events, technical glitches (API failures, connectivity issues), and improper user configuration. Major failures include Banana Gun exploit (September 2024, 563 ETH/$1.9 million loss via oracle vulnerability), Genesis creditor social engineering attack (August 2024, $243 million loss), and Dogwifhat slippage incident (January 2024, $5.7 million loss in thin order books).

Fetch.ai enables autonomous economic agents with 30,000+ active agents as of 2024 using the uAgents framework. Applications include transportation booking automation, smart energy trading (buying off-peak electricity, reselling excess), supply chain optimization through agent-based negotiations, and partnerships with Bosch (Web3 mobility use cases) and Yoti (identity verification for agents). The platform raised $40 million in 2023, positioning within the autonomous AI market projected to reach $70.53 billion by 2030 (42.8% CAGR). DeFi applications announced in 2023 include agent-based trading tools for DEXs eliminating liquidity pools in favor of agent-based matchmaking, enabling direct peer-to-peer trading removing honeypot and rugpull risks.

DAO implementations with AI components demonstrate governance evolution. The AI DAO operates Nexus EVM-based DAO management on XRP EVM sidechain with AI voting irregularity detection ensuring fair decision-making, governance assistance where AI helps decisions while humans maintain oversight, and an AI Agent Launchpad with decentralized MCP node networks enabling agents to manage wallets and transact across Axelar blockchains. Aragon's framework envisions six-tiered AI x DAO integration: AI bots and assistants (current), AI at the edge voting on proposals (near-term), AI at the center managing treasury (medium-term), AI connectors creating swarm intelligence between DAOs (medium-term), DAOs governing AI as public good (long-term), and AI becoming the DAO with on-chain treasury ownership (future). Technical implementation uses Aragon OSx modular plugin system with permission management allowing AI to trade below dollar thresholds while triggering votes above, and ability to switch AI trading strategies by revoking/granting plugin permissions.

Market data confirms rapid adoption and scale. The DeFAI market reached ~$1 billion market cap in January 2025, with AI agent markets peaking at $17 billion. DeFi total value locked stands at $52 billion (institutional TVL: $42 billion), while MetaMask serves 30 million users with 21 million monthly active. Blockchain spending reached $19 billion in 2024 with projections to $1,076 billion by 2026. The global DeFi market of $20.48-32.36 billion (2024-2025) projects growth to $231-441 billion by 2030 and $1,558 billion by 2034, representing 40-54% CAGR. Platform-specific metrics include Virtuals Protocol with 17,000+ AI agents launched, Fetch.ai Burrito integration onboarding 400,000+ users, and autonomous trading bots like SMARD surpassing Bitcoin by \u003e200% and Ethereum by \u003e300% in profitability from start of 2022.

Lessons from successes and failures clarify what works. Successful implementations share common patterns: specialized agents outperform generalists (Griffain's multi-agent collaboration more reliable than single AI), human-in-the-loop oversight proves critical for unexpected events, self-custody designs eliminate counterparty risk, comprehensive backtesting across multiple market regimes prevents over-optimization, and robust risk management with position sizing rules and stop-loss mechanisms prevents catastrophic losses. Failures demonstrate that black box AI lacking transparency fails to build trust, pure autonomy currently cannot handle market complexity and black swan events, ignoring security leads to exploits, and unrealistic promises of "guaranteed returns" indicate fraudulent schemes. The technology works best as human-AI symbiosis where AI handles speed and execution while humans provide strategy and judgment.

The broader ecosystem: Players, competition, and challenges

The autonomous capital ecosystem has rapidly expanded beyond the five profiled thought leaders to encompass major platforms, institutional players, competing philosophical approaches, and sophisticated regulatory challenges. Virtuals Protocol and ai16z represent the "Cathedral vs. Bazaar" philosophical divide. Virtuals ($1.8B market cap) takes a centralized, methodical approach with structured governance and quality-controlled professional marketplaces, co-founded by EtherMage and utilizing Immutable Contribution Vaults for transparent attribution. ai16z ($2.3B market cap) embraces decentralized, collaborative development through open-source ELIZA framework enabling rapid experimentation, led by Shaw (self-taught programmer) building dedicated blockchain for AI agents with trust marketplaces for accountability. This philosophical tension—precision versus innovation, control versus experimentation—mirrors historical software development debates and will likely persist as the ecosystem matures.

Major protocols and infrastructure providers include SingularityNET operating decentralized AI marketplaces enabling developers to monetize AI models with crowdsourced investment decision-making (Numerai hedge fund model), Fetch.ai deploying autonomous agents for transportation and service streamlining with $10 million accelerator for AI agent startups, Autonolas bridging offchain AI agents to onchain protocols creating permissionless application marketplaces, ChainGPT developing AI Virtual Machine (AIVM) for Web3 with automated liquidity management and trading execution, and Warden Protocol building Layer-1 blockchain for AI-integrated applications where smart contracts access and verify AI model outputs onchain with partnerships including Messari, Venice, and Hyperlane.

Institutional adoption accelerates despite caution. Galaxy Digital pivots from crypto mining to AI infrastructure with $175 million venture fund and $4.5 billion revenue expected from 15-year CoreWeave deal providing 200MW data center capacity. Major financial institutions experiment with agentic AI: JPMorgan Chase's LAW (Legal Agentic Workflows) achieves 92.9% accuracy, BNY implements autonomous coding and payment validation, while Mastercard, PayPal, and Visa pursue agentic commerce initiatives. Research and analysis firms including Messari, CB Insights (tracking 1,400+ tech markets), Deloitte, McKinsey, and S\u0026P Global Ratings provide critical ecosystem intelligence on autonomous agents, AI-crypto intersection, enterprise adoption, and risk assessment.

Competing visions manifest across multiple dimensions. Business model variations include token-based DAOs with transparent community voting (MakerDAO, MolochDAO) facing challenges from token concentration where less than 1% of holders control 90% of voting power, equity-based DAOs resembling corporate structures with blockchain transparency, and hybrid models combining token liquidity with ownership stakes balancing community engagement against investor returns. Regulatory compliance approaches range from proactive compliance seeking clarity upfront, regulatory arbitrage operating in lighter-touch jurisdictions, to wait-and-see strategies building first and addressing regulation later. These strategic choices create fragmentation and competitive dynamics as projects optimize for different constraints.

The regulatory landscape grows increasingly complex and constraining. United States developments include SEC Crypto Task Force led by Commissioner Hester Pierce, AI and crypto regulation as 2025 examination priority, President's Working Group on Digital Assets (60-day review, 180-day recommendations), David Sacks appointed Special Advisor for AI and Crypto, and SAB 121 rescinded easing custody requirements for banks. Key SEC concerns include securities classification under Howey Test, Investment Advisers Act applicability to AI agents, custody and fiduciary responsibility, and AML/KYC requirements. CFTC Acting Chairwoman Pham supports responsible innovation while focusing on commodities markets and derivatives. State regulations show innovation with Wyoming first recognizing DAOs as legal entities (July 2021) and New Hampshire entertaining DAO legislation, while New York DFS issued cybersecurity guidance for AI risks (October 2024).

European Union MiCA regulation creates comprehensive framework with implementation timeline: June 2023 entered force, June 30, 2024 stablecoin provisions applied, December 30, 2024 full application for Crypto Asset Service Providers with 18-month transition for existing providers. Key requirements include mandatory whitepapers for token issuers, capital adequacy and governance structures, AML/KYC compliance, custody and reserve requirements for stablecoins, Travel Rule transaction traceability, and passporting rights across EU for licensed providers. Current challenges include France, Austria, and Italy calling for stronger enforcement (September 2025), uneven implementation across member states, regulatory arbitrage concerns, overlap with PSD2/PSD3 payment regulations, and restrictions on non-MiCA compliant stablecoins. DORA (Digital Operational Resilience Act) applicable January 17, 2025 adds comprehensive operational resilience frameworks and mandatory cybersecurity measures.

Market dynamics demonstrate both euphoria and caution. 2024 venture capital activity saw $8 billion invested in crypto across first three quarters (flat versus 2023), with Q3 2024 showing $2.4 billion across 478 deals (-20% QoQ), but AI x Crypto projects receiving $270 million in Q3 (5x increase from Q2). Seed-stage AI autonomous agents attracted $700 million in 2024-2025, with median pre-money valuations reaching record $25 million and average deal sizes of $3.5 million. 2025 Q1 saw $80.1 billion raised (28% QoQ increase driven by $40 billion OpenAI deal), with AI representing 74% of IT sector investment despite declining deal volumes. Geographic distribution shows U.S. dominating with 56% of capital and 44% of deals, Asia growth in Japan (+2%), India (+1%), South Korea (+1%), and China declining -33% YoY.

Valuations reveal disconnects from fundamentals. Top AI agent tokens including Virtuals Protocol (up 35,000% YoY to $1.8B), ai16z (+176% in one week to $2.3B), AIXBT (~$500M), and Binance futures listings for Zerebro and Griffain demonstrate speculative fervor. High volatility with flash crashes wiping $500 million in leveraged positions in single weeks, rapid token launches via platforms like pump.fun, and "AI agent memecoins" as distinct category suggest bubble characteristics. Traditional VC concerns focus on crypto trading at ~250x price-to-sales versus Nasdaq 6.25x and S\u0026P 3.36x, institutional allocators remaining cautious post-2022 collapses, and "revenue meta" emerging requiring proven business models.

Criticisms cluster around five major areas. Technical and security concerns include wallet infrastructure vulnerabilities with most DeFi platforms requiring manual approvals creating catastrophic risks, algorithmic failures like Terra/Luna $2 billion liquidation, infinite feedback loops between agents, cascading multi-agent system failures, data quality and bias issues perpetuating discrimination, and manipulation vulnerabilities through poisoned training data. Governance and accountability issues manifest through token concentration defeating decentralization (less than 1% controlling 90% voting power), inactive shareholders disrupting functionality, susceptibility to hostile takeovers (Build Finance DAO drained 2022), accountability gaps about liability for agent harm, explainability challenges, and "rogue agents" exploiting programming loopholes.

Market and economic criticisms focus on valuation disconnect with crypto's 250x P/S versus traditional 6-7x, bubble concerns resembling ICO boom/bust cycles, many agents as "glorified chatbots," speculation-driven rather than utility-driven adoption, limited practical utility with most agents currently simple Twitter influencers, cross-chain interoperability poor, and fragmented agentic frameworks impeding adoption. Systemic and societal risks include Big Tech concentration with heavy reliance on Microsoft/OpenAI/cloud services (CrowdStrike outage July 2024 highlighted interdependencies), 63% of AI models using public cloud for training reducing competition, significant energy consumption for model training, 92 million jobs displaced by 2030 despite 170 million new jobs projected, and financial crime risks from AML/KYC challenges with autonomous agents enabling automated money laundering.

The "Gen AI paradox" captures deployment challenges: 79% enterprise adoption but 78% report no significant bottom-line impact. MIT reports 95% of AI pilots fail due to poor data preparation and lack of feedback loops. Integration with legacy systems ranks as top challenge for 60% of organizations, requiring security frameworks from day one, change management and AI literacy training, and cultural shifts from human-centric to AI-collaborative models. These practical barriers explain why institutional enthusiasm hasn't translated to corresponding financial returns, suggesting the ecosystem remains in experimental early stages despite rapid market capitalization growth.

Practical implications for finance, investment, and business

Autonomous capital transforms traditional finance through immediate productivity gains and strategic repositioning. Financial services see AI agents executing trades 126% faster with real-time portfolio optimization, fraud detection through real-time anomaly detection and proactive risk assessment, 68% of customer interactions expected AI-handled by 2028, credit assessment using continuous evaluation with real-time transaction data and behavioral trends, and compliance automation conducting dynamic risk assessments and regulatory reporting. Transformation metrics show 70% of financial services executives anticipating agentic AI for personalized experiences, revenue increases of 3-15% for AI implementers, 10-20% boost in sales ROI, 90% observing more efficient workflows, and 38% of employees reporting facilitated creativity.

Venture capital undergoes thesis evolution from pure infrastructure plays to application-specific infrastructure, focusing on demand, distribution, and revenue rather than pre-launch tokens. Major opportunities emerge in stablecoins post-regulatory clarity, energy x DePIN feeding AI infrastructure, and GPU marketplaces for compute resources. Due diligence requirements expand dramatically: assessing technical architecture (Level 1-5 autonomy), governance and ethics frameworks, security posture and audit trails, regulatory compliance roadmap, token economics and distribution analysis, and team ability navigating regulatory uncertainty. Risk factors include 95% of AI pilots failing (MIT report), poor data preparation and lack of feedback loops as leading causes, vendor dependence for firms without in-house expertise, and valuation multiples disconnected from fundamentals.

Business models multiply as autonomous capital enables innovation previously impossible. Autonomous investment vehicles pool capital through DAOs for algorithmic deployment with profit-sharing proportional to contributions (ai16z hedge fund model). AI-as-a-Service (AIaaS) sells tokenized agent capabilities as services with inference fees for chat interactions and fractional ownership of high-value agents. Data monetization creates decentralized data marketplaces with tokenization enabling secure sharing using privacy-preserving techniques like zero-knowledge proofs. Automated market making provides liquidity provision and optimization with dynamic interest rates based on supply/demand and cross-chain arbitrage. Compliance-as-a-Service offers automated AML/KYC checks, real-time regulatory reporting, and smart contract auditing.

Business model risks include regulatory classification uncertainty, consumer protection liability, platform dependencies, network effects favoring first movers, and token velocity problems. Yet successful implementations demonstrate viability: Gauntlet managing $1+ billion TVL through simulation-driven risk management, SingularityDAO delivering 25% ROI through AI-managed portfolios, and Virtuals Protocol launching 17,000+ agents with revenue-generating entertainment and analysis products.

Traditional industries undergo automation across sectors. Healthcare deploys AI agents for diagnostics (FDA approved 223 AI-enabled medical devices in 2023, up from 6 in 2015), patient treatment optimization, and administrative automation. Transportation sees Waymo conducting 150,000+ autonomous rides weekly and Baidu Apollo Go serving multiple Chinese cities with autonomous driving systems improving 67.3% YoY. Supply chain and logistics benefit from real-time route optimization, inventory management automation, and supplier coordination. Legal and professional services adopt document processing and contract analysis, regulatory compliance monitoring, and due diligence automation.

The workforce transformation creates displacement alongside opportunity. While 92 million jobs face displacement by 2030, projections show 170 million new jobs created requiring different skill sets. The challenge lies in transition—retraining programs, safety nets, and education reforms must accelerate to prevent mass unemployment and social disruption. Early evidence shows U.S. AI jobs in Q1 2025 reaching 35,445 positions (+25.2% YoY) with median $156,998 salaries and AI job listing mentions increasing 114.8% (2023) then 120.6% (2024). Yet this growth concentrates in technical roles, leaving questions about broader economic inclusion unanswered.

Risks require comprehensive mitigation strategies across five categories. Technical risks (smart contract vulnerabilities, oracle failures, cascading errors) demand continuous red team testing, formal verification, circuit breakers, insurance protocols like Nexus Mutual, and gradual rollout with limited autonomy initially. Regulatory risks (unclear legal status, retroactive enforcement, jurisdictional conflicts) require proactive regulator engagement, clear disclosure and whitepapers, robust KYC/AML frameworks, legal entity planning (Wyoming DAO LLC), and geographic diversification. Operational risks (data poisoning, model drift, integration failures) necessitate human-in-the-loop oversight for critical decisions, continuous monitoring and retraining, phased integration, fallback systems and redundancy, and comprehensive agent registries tracking ownership and exposure.

Market risks (bubble dynamics, liquidity crises, token concentration, valuation collapse) need focus on fundamental value creation versus speculation, diversified token distribution, lockup periods and vesting schedules, treasury management best practices, and transparent communication about limitations. Systemic risks (Big Tech concentration, network failures, financial contagion) demand multi-cloud strategies, decentralized infrastructure (edge AI, local models), stress testing and scenario planning, regulatory coordination across jurisdictions, and industry consortiums for standards development.

Adoption timelines suggest measured optimism for near-term, transformational potential for long-term. Near-term 2025-2027 sees Level 1-2 autonomy with rule-based automation and workflow optimization maintaining human oversight, 25% of companies using generative AI launching agentic pilots in 2025 (Deloitte) growing to 50% by 2027, autonomous AI agents market reaching $6.8 billion (2024) expanding to $20+ billion (2027), and 15% of work decisions made autonomously by 2028 (Gartner). Adoption barriers include unclear use cases and ROI (60% cite this), legacy system integration challenges, risk and compliance concerns, and talent shortages.

Mid-term 2028-2030 brings Level 3-4 autonomy with agents operating in narrow domains without continuous oversight, multi-agent collaboration systems, real-time adaptive decision-making, and growing trust in agent recommendations. Market projections show generative AI contributing $2.6-4.4 trillion annually to global GDP, autonomous agents market reaching $52.6 billion by 2030 (45% CAGR), 3 hours per day of activities automated (up from 1 hour in 2024), and 68% of customer-vendor interactions AI-handled. Infrastructure developments include agent-specific blockchains (ai16z), cross-chain interoperability standards, unified keystore protocols for permissions, and programmable wallet infrastructure mainstream.

Long-term 2030+ envisions Level 5 autonomy with fully autonomous agents and minimal human intervention, self-improving systems approaching AGI capabilities, agents hiring other agents and humans, and autonomous capital allocation at scale. Systemic transformation features AI agents as co-workers rather than tools, tokenized economy with agent-to-agent transactions, decentralized "Hollywood model" for project coordination, and 170 million new jobs requiring new skill sets. Key uncertainties remain: regulatory framework maturity, public trust and acceptance, technical breakthroughs or limitations in AI, economic disruption management, and ethical alignment and control problems.

Critical success factors for ecosystem development include regulatory clarity enabling innovation while protecting consumers, interoperability standards for cross-chain and cross-platform communication, security infrastructure as baseline with robust testing and audits, talent development through AI literacy programs and workforce transition support, and sustainable economics creating value beyond speculation. Individual projects require real utility solving genuine problems, strong governance with balanced stakeholder representation, technical excellence with security-first design, regulatory strategy with proactive compliance, and community alignment through transparent communication and shared value. Institutional adoption demands proof of ROI beyond efficiency gains, comprehensive risk management frameworks, change management with cultural transformation and training, vendor strategy balancing build versus buy while avoiding lock-in, and ethical guidelines for autonomous decision authority.

The autonomous capital ecosystem represents genuine technological and financial innovation with transformative potential, yet faces significant challenges around security, governance, regulation, and practical utility. The market experiences rapid growth driven by speculation and legitimate development in roughly equal measure, requiring sophisticated understanding, careful navigation, and realistic expectations from all participants as this emerging field matures toward mainstream adoption.

Conclusion: The trajectory of autonomous capital

The autonomous capital revolution is neither inevitable utopia nor dystopian certainty, but rather an emerging field where genuine technological innovation intersects with significant risks, requiring nuanced understanding of capabilities, limitations, and governance challenges. Five key thought leaders profiled here—Tarun Chitra, Amjad Masad, Jordi Alexander, Alexander Pack, and Irene Wu—demonstrate distinct but complementary approaches to building this future: Chitra's automated governance through simulation and risk management, Masad's agent-powered network economies and development infrastructure, Alexander's game theory-informed investment thesis emphasizing human judgment, Pack's infrastructure-focused venture capital strategy, and Wu's omnichain interoperability foundations.

Their collective work establishes that autonomous capital is technically feasible today—demonstrated by Gauntlet managing $1+ billion TVL, SingularityDAO's 25% ROI through AI portfolios, Virtuals Protocol's 17,000+ launched agents, and production trading systems delivering verified results. Yet the "trustless paradox" identified by researchers remains unresolved: deploying AI in trustless blockchain infrastructure avoids trusting fallible humans but creates potentially untrustworthy AI systems operating beyond intervention. This fundamental tension between autonomy and accountability will define whether autonomous capital becomes tool for human flourishing or ungovernable force.

The near-term outlook (2025-2027) suggests cautious experimentation with 25-50% of generative AI users launching agentic pilots, Level 1-2 autonomy maintaining human oversight, market growth from $6.8 billion to $20+ billion, but persistent adoption barriers around unclear ROI, legacy integration challenges, and regulatory uncertainty. The mid-term (2028-2030) could see Level 3-4 autonomy operating in narrow domains, multi-agent systems coordinating autonomously, and generative AI contributing $2.6-4.4 trillion to global GDP if technical and governance challenges resolve successfully. Long-term (2030+) visions of Level 5 autonomy with fully self-improving systems managing capital at scale remain speculative, contingent on breakthroughs in AI capabilities, regulatory frameworks, security infrastructure, and society's ability to manage workforce transitions.

Critical open questions determine outcomes: Will regulatory clarity enable or constrain innovation? Can security infrastructure mature fast enough to prevent catastrophic failures? Will decentralization goals materialize or will Big Tech concentration increase? Can sustainable business models emerge beyond speculation? How will society manage 92 million displaced jobs even as 170 million new positions emerge? These questions lack definitive answers today, making the autonomous capital ecosystem high-risk and high-opportunity simultaneously.

The five thought leaders' perspectives converge on key principles: human-AI symbiosis outperforms pure autonomy, with AI handling execution speed and data analysis while humans provide strategic judgment and values alignment; security and risk management require paranoid-level rigor as attackers hold fundamental economic advantages over defenders; interoperability and standardization will determine which platforms achieve network effects and long-term dominance; regulatory engagement must be proactive rather than reactive as legal frameworks evolve globally; and focus on fundamental value creation rather than speculation separates sustainable projects from bubble casualties.

For participants across the ecosystem, strategic recommendations differ by role. Investors should diversify exposure across platform, application, and infrastructure layers while focusing on revenue-generating models and regulatory posture, planning for extreme volatility, and sizing positions accordingly. Developers must choose architectural philosophies (Cathedral versus Bazaar), invest heavily in security audits and formal verification, build for cross-chain interoperability, engage regulators early, and solve actual problems rather than creating "glorified chatbots." Enterprises should start with low-risk pilots in customer service and analytics, invest in agent-ready infrastructure and data, establish clear governance for autonomous decision authority, train workforce in AI literacy, and balance innovation with control.

Policymakers face perhaps the most complex challenge: harmonizing regulation internationally while enabling innovation, using sandbox approaches and safe harbors for experimentation, protecting consumers through mandatory disclosures and fraud prevention, addressing systemic risks from Big Tech concentration and network dependencies, and preparing workforce through education programs and transition support for displaced workers. The EU's MiCA regulation provides a model balancing innovation with protection, though enforcement challenges and jurisdictional arbitrage concerns remain.

The most realistic assessment suggests autonomous capital will evolve gradually rather than revolutionary overnight, with narrow-domain successes (trading, customer service, analytics) preceding general-purpose autonomy, hybrid human-AI systems outperforming pure automation for the foreseeable future, and regulatory frameworks taking years to crystallize creating ongoing uncertainty. Market shake-outs and failures are inevitable given speculative dynamics, technological limitations, and security vulnerabilities, yet the underlying technological trends—AI capability improvements, blockchain maturation, and institutional adoption of both—point toward continued growth and sophistication.

Autonomous capital represents a legitimate technological paradigm shift with potential to democratize access to sophisticated financial tools, increase market efficiency through 24/7 autonomous optimization, enable new business models impossible in traditional finance, and create machine-to-machine economies operating at superhuman speeds. Yet it also risks concentrating power in hands of technical elites controlling critical infrastructure, creating systemic instabilities through interconnected autonomous systems, displacing human workers faster than retraining programs can adapt, and enabling financial crimes at machine scale through automated money laundering and fraud.

The outcome depends on choices made today by builders, investors, policymakers, and users. The five thought leaders profiled demonstrate that thoughtful, rigorous approaches prioritizing security, transparency, human oversight, and ethical governance can create genuine value while managing risks. Their work provides blueprints for responsible development: Chitra's scientific rigor through simulation, Masad's user-centric infrastructure, Alexander's game-theoretic risk assessment, Pack's infrastructure-first investing, and Wu's interoperability foundations.

As Jordi Alexander emphasized: "Judgment is the ability to integrate complex information and make optimal decisions—this is precisely where machines fall short." The future of autonomous capital will likely be defined not by full AI autonomy, but by sophisticated collaboration where AI handles execution, data processing, and optimization while humans provide judgment, strategy, ethics, and accountability. This human-AI partnership, enabled by crypto's trustless infrastructure and programmable money, represents the most promising path forward—balancing innovation with responsibility, efficiency with security, and autonomy with alignment to human values.

From Apps to Assets: Fintech’s Leap into Crypto

· 37 min read
Dora Noda
Software Engineer

Traditional fintech applications have fundamentally transformed from consumer-facing services into critical infrastructure for the global crypto economy, with five major platforms collectively serving over 700 million users and processing hundreds of billions in crypto transactions annually. This shift from apps to assets represents not merely product expansion but a wholesale reimagining of financial infrastructure, where blockchain technology becomes the foundational layer rather than an adjacent feature. Robinhood, Revolut, PayPal, Kalshi, and CoinGecko are executing parallel strategies that converge on a singular vision: crypto as essential financial infrastructure, not an alternative asset class.

The transformation gained decisive momentum in 2024-2025 as regulatory clarity emerged through Europe's MiCA framework and the U.S. GENIUS Act for stablecoins, institutional adoption accelerated through Bitcoin ETFs managing billions in assets, and fintech companies achieved technological maturity enabling seamless crypto integration. These platforms now collectively represent the bridge between 400 million traditional finance users and the decentralized digital economy, each addressing distinct aspects of the same fundamental challenge: making crypto accessible, useful, and trustworthy for mainstream audiences.

The regulatory breakthrough that enabled scale

The period from 2024-2025 marked a decisive shift in the regulatory environment that had constrained fintech crypto ambitions for years. Johann Kerbrat, General Manager of Robinhood Crypto, captured the industry's frustration: "We received our Wells notice recently. For me, the main takeaway is the need for regulatory clarity in the U.S. regarding what are securities and what are cryptocurrencies. We've met with the SEC 16 times to try to register." Yet despite this uncertainty, companies pressed forward with compliance-first strategies that ultimately positioned them to capitalize when clarity arrived.

The European Union's Markets in Crypto-Assets regulation provided the first comprehensive framework, enabling Revolut to launch crypto services across 30 European Economic Area countries and Robinhood to expand through its $200 million Bitstamp acquisition in June 2025. Mazen ElJundi, Global Business Head of Crypto at Revolut, acknowledged: "The MiCA framework has a lot of pros and cons. It is not perfect, but it has merit to actually exist, and it helps companies like ours to understand what we can offer to customers." This pragmatic acceptance of imperfect regulation over regulatory vacuum became the industry consensus.

In the United States, multiple breakthrough moments converged. Kalshi's victory over the CFTC in its lawsuit regarding political prediction markets established federal jurisdiction over event contracts, with the regulatory agency dropping its appeal in May 2025. John Wang, Kalshi's 23-year-old Head of Crypto appointed in August 2025, declared: "Prediction markets and event contracts are now being held at the same level as normal derivatives and stocks—this is genuinely like the new world's newest asset class." The Trump administration's establishment of a U.S. Federal Strategic Bitcoin Reserve through Executive Order in March 2025 and the passage of the GENIUS Act providing a regulated pathway for stablecoins created an environment where fintech companies could finally build with confidence.

PayPal epitomized the compliance-first approach by becoming one of the first companies to receive a full BitLicense from New York's Department of Financial Services in June 2022, years before launching its PayPal USD stablecoin in August 2023. May Zabaneh, Vice President of Product for Blockchain, Crypto, and Digital Currencies at PayPal, explained the strategy: "PayPal chose to become fully licensed because it was the best way forward to offer cryptocurrency services to its users, given the robust framework provided by the NYDFS for such services." This regulatory groundwork enabled PayPal to move swiftly when the SEC closed its PYUSD investigation without action in 2025, removing the final uncertainty barrier.

The regulatory transformation enabled not just permissionless innovation but coordinated infrastructure development across traditional and crypto-native systems. Robinhood's Johann Kerbrat noted the practical impact: "My goal is to make sure that we can work no matter which side is winning in November. I'm hopeful that it's been clear at this point that we need regulation, otherwise we're going to be late compared to the EU and other places in Asia." By late 2025, fintech platforms had collectively secured over 100 licenses across global jurisdictions, transforming from regulatory supplicants to trusted partners in shaping crypto's integration into mainstream finance.

Stablecoins emerge as the killer application for payments

The convergence of fintech platforms on stablecoins as core infrastructure represents perhaps the clearest signal of crypto's evolution from speculation to utility. May Zabaneh articulated the industry consensus: "For years, stablecoins have been deemed crypto's 'killer app' by combining the power of the blockchain with the stability of fiat currency." By 2025, this theoretical promise became operational reality as stablecoin circulation doubled to $250 billion within 18 months, with McKinsey forecasting $2 trillion by 2028.

PayPal's PayPal USD stablecoin exemplifies the strategic pivot from crypto as tradable asset to crypto as payment infrastructure. Launched in August 2023 and now deployed across Ethereum, Solana, Stellar, and Arbitrum blockchains, PYUSD reached $894 million in circulation by mid-2025 despite representing less than 1% of the total stablecoin market dominated by Tether and Circle. The significance lies not in market share but in use case: PayPal used PYUSD to pay EY invoices in October 2024, demonstrating real-world utility within traditional business operations. The company's July 2025 "Pay with Crypto" merchant solution, accepting 100+ cryptocurrencies but converting everything to PYUSD before settlement, reveals the strategic vision—stablecoins as the settlement layer bridging volatile crypto and traditional commerce.

Zabaneh emphasized the payments transformation: "As we see cross-border payments being a key area where digital currencies can provide real world value, working with Stellar will help advance the use of this technology and provide benefits for all users." The expansion to Stellar specifically targets remittances and cross-border payments, where traditional rails charge 3% on a $200 trillion global market. PayPal's merchant solution reduces cross-border transaction fees by 90% compared to traditional credit card processing through crypto-stablecoin conversion, offering a 0.99% promotional rate versus the average 1.57% U.S. credit card processing fee.

Both Robinhood and Revolut have signaled stablecoin ambitions, with Bloomberg reporting in September 2024 that both companies were exploring proprietary stablecoin issuance. For Revolut, which already contributes price data to Pyth Network supporting DeFi applications managing $15.2 billion in total value, a stablecoin would complete its transformation into crypto infrastructure provider. Mazen ElJundi framed this evolution: "Our partnership with Pyth is an important milestone in Revolut's journey to modernize finance. As DeFi continues to gain traction, Pyth's position as the backbone of the industry will help Revolut capitalize on this transformation."

The stablecoin strategy reflects deeper insights about crypto adoption. Rather than expecting users to embrace volatile assets, these platforms recognized that crypto's transformative power lies in its rails, not its assets. By maintaining fiat denomination while gaining blockchain benefits—instant settlement, programmability, 24/7 availability, lower costs—stablecoins offer the value proposition that 400 million fintech users actually want: better money movement, not speculative investments. May Zabaneh captured this philosophy: "In order for things to become mainstream, they have to be easily accessible, easily adoptable." Stablecoins, it turns out, are both.

Prediction markets become the trojan horse for sophisticated financial products

Kalshi's explosive growth trajectory—from 3.3% market share in early 2024 to 66% by September 2025, with a single-day record of $260 million in trading volume—demonstrates how prediction markets successfully package complex financial concepts for mainstream audiences. John Wang's appointment as Head of Crypto in August 2025 accelerated the platform's explicit strategy to position prediction markets as the gateway drug for crypto adoption. "I think prediction markets are similar to options that are packaged in the most accessible form possible," Wang explained at Token 2049 Singapore in October 2025. "So I think prediction markets are like the Trojan Horse for people to enter crypto."

The platform's CFTC-regulated status provides a critical competitive advantage over crypto-native competitors like Polymarket, which prepared for U.S. reentry by acquiring QCEX for $112 million. Kalshi's federal regulatory designation as a Designated Contract Market bypasses state gambling restrictions, enabling 50-state access while traditional sportsbooks navigate complex state-by-state licensing. This regulatory arbitrage, combined with crypto payment rails supporting Bitcoin, Solana, USDC, XRP, and Worldcoin deposits, creates a unique position: federally regulated prediction markets with crypto-native infrastructure.

Wang's vision extends beyond simply accepting crypto deposits. The launch of KalshiEco Hub in September 2025, with strategic partnerships on Solana and Base (Coinbase's Layer-2), positions Kalshi as a platform for developers to build sophisticated trading tools, analytics dashboards, and AI agents. "It can range anywhere from pushing data onchain from our API to, in the future, tokenizing Kalshi positions, providing margin and leveraged trading, and building third-party front ends," Wang outlined at Solana APEX. The developer ecosystem already includes tools like Kalshinomics for market analytics and Verso for professional-grade discovery, with Wang committing that Kalshi will integrate with "every major crypto app and exchange" within 12 months.

The Robinhood partnership announced in March 2025 and expanded in August exemplifies the strategic distribution play. By embedding Kalshi's CFTC-regulated prediction markets within Robinhood's app serving 25.2 million funded customers, both companies gain: Robinhood offers differentiated products without navigating gambling regulations, while Kalshi accesses mainstream distribution. The partnership initially focused on NFL and college football markets but expanded to politics, economics, and broader event contracts, with revenue split equally between platforms. Johann Kerbrat noted Robinhood's broader strategy: "We don't really see this distinction between a crypto company and a non-crypto company. Over time, anyone who is basically moving money or anyone who's in financial services is going to be a crypto company."

Kalshi's success validates Wang's thesis that simplified financial derivatives—yes/no questions on real-world events—can democratize sophisticated trading strategies. By removing the complexity of options pricing, Greeks, and contract specifications, prediction markets make probabilistic thinking accessible to retail audiences. Yet beneath this simplicity lies the same risk management, hedging, and market-making infrastructure that supports traditional derivatives markets. Wall Street firms including Susquehanna International Group provide institutional liquidity, while the platform's integration with Zero Hash for crypto processing and LedgerX for clearing demonstrates institutional-grade infrastructure. The platform's $2 billion valuation following its June 2025 Series C led by Paradigm and Sequoia reflects investor conviction that prediction markets represent a genuine new asset class—and crypto provides the ideal infrastructure to scale it globally.

Retail crypto trading matures into multi-asset wealth platforms

Robinhood's transformation from the company that restricted GameStop trading in 2021 to a crypto infrastructure leader generating $358 million in crypto revenue in Q4 2024 alone—representing 700% year-over-year growth—illustrates how retail platforms evolved beyond simple buy/sell functionality. Johann Kerbrat, who joined Robinhood over three years ago after roles at Iron Fish, Airbnb, and Uber, has overseen this maturation into comprehensive crypto-native financial services. "We think that crypto is actually the way for us to rebuild the entire Robinhood in the EU from the ground up, just using blockchain technology," Kerbrat explained at EthCC 2025 in Cannes. "We think that blockchain technology can make things more efficient, faster, and also include more people."

The $200 million Bitstamp acquisition completed in June 2025 marked Robinhood's decisive move into institutional crypto infrastructure. The 14-year-old exchange brought 50+ global licenses, 5,000 institutional clients, 500,000 retail users, and approximately $72 billion in trailing twelve-month trading volume—representing 50% of Robinhood's retail crypto volume. More strategically, Bitstamp provided institutional capabilities including lending, staking, white-label crypto-as-a-service, and API connectivity that position Robinhood to compete beyond retail. "The acquisition of Bitstamp is a major step in growing our crypto business," Kerbrat stated. "Through this strategic combination, we are better positioned to expand our footprint outside of the US and welcome institutional customers to Robinhood."

Yet the most ambitious initiative may be Robinhood's Layer-2 blockchain and stock tokenization program announced in June 2025. The platform plans to tokenize over 200 U.S. stocks and ETFs, including controversial derivatives tied to private company valuations like SpaceX and OpenAI tokens. "For the user, it's very simple; you will be able to tokenize any financial instrument in the future, not just US stocks, but anything," Kerbrat explained. "If you want to change brokers, you won't have to wait multiple days and wonder where your stocks are going; you'll be able to do it in an instant." Built on Arbitrum technology, the Layer-2 aims to provide compliance-ready infrastructure for tokenized assets, integrated seamlessly with Robinhood's existing ecosystem.

This vision extends beyond technical innovation to fundamental business model transformation. When asked about Robinhood's crypto ambitions, Kerbrat increasingly emphasizes technology over trading volumes: "I think this idea of blockchain as fundamental technology is really underexplored." The implication—Robinhood views crypto not as a product category but as the technological foundation for all financial services—represents a profound strategic bet. Rather than offering crypto alongside stocks and options, the company is rebuilding its core infrastructure on blockchain rails, using tokenization to eliminate settlement delays, reduce intermediary costs, and enable 24/7 markets.

The competitive positioning against Coinbase reflects this strategic divergence. While Coinbase offers 260+ cryptocurrencies versus Robinhood's 20+ in the U.S., Robinhood provides integrated multi-asset trading, 24/5 stock trading alongside crypto, lower fees for small trades (approximately 0.55% flat versus Coinbase's tiered structure starting at 0.60% maker/1.20% taker), and cross-asset functionality appealing to hybrid investors. Robinhood's stock quadrupled in 2024 versus Coinbase's 60% gain, suggesting markets reward the diversified fintech super-app model over pure-play crypto exchanges. Kerbrat's user insight validates this approach: "We have investors that are brand new to crypto, and they will just start going from trading one of their stocks to one of the coins, then get slowly into the crypto world. We are also seeing a progression from just holding assets to actually transferring them out using a wallet and getting more into Web3."

Global crypto banking bridges traditional and decentralized finance

Revolut's achievement of 52.5 million users across 48 countries with crypto-related wealth revenue surging 298% to $647 million in 2024 demonstrates how neobanks successfully integrated crypto into comprehensive financial services. Mazen ElJundi, Global Business Head of Crypto, Wealth & Trading, articulated the strategic vision on the Gen C podcast in May 2025: Revolut is "creating a bridge between traditional banking and Web3, driving crypto adoption through education and intuitive user experiences." This bridge manifests through products spanning the spectrum from beginner education to sophisticated trading infrastructure.

The Learn & Earn program, which onboarded over 3 million customers globally with hundreds of thousands joining monthly, exemplifies the education-first approach. Users complete interactive lessons on blockchain protocols including Polkadot, NEAR, Avalanche, and Algorand, receiving crypto rewards worth €5-€15 per course upon passing quizzes. The 11FS Pulse Report named Revolut a "top cryptocurrency star" in 2022 for its "fun and simple approach" to crypto education. ElJundi emphasized the strategic importance: "We're excited to continue our mission of making the complex world of blockchain technology more accessible to everyone. The appetite for educational content on web3 continues to increase at a promising and encouraging rate."

For advanced traders, Revolut X—launched in May 2024 for the UK and expanded to 30 EEA countries by November 2024—provides standalone exchange functionality with 200+ tokens, 0% maker fees, and 0.09% taker fees. The March 2025 mobile app launch extended this professional-grade infrastructure to on-the-go trading, with Leonid Bashlykov, Head of Crypto Exchange Product, reporting: "Tens of thousands of traders actively using the platform in UK; feedback very positive, with many already taking advantage of our near-zero fees, wide range of available assets, and seamless integration with their Revolut accounts." The seamless fiat-to-crypto conversion within Revolut's ecosystem—with no fees or limits for on/off-ramping between Revolut account and Revolut X—eliminates friction that typically impedes crypto adoption.

The partnership with Pyth Network announced in January 2025 signals Revolut's ambition to become crypto infrastructure provider, not merely consumer application. As the first banking data publisher to join Pyth Network, Revolut contributes proprietary digital asset price data to support 500+ real-time feeds securing DeFi applications managing $15.2 billion and handling over $1 trillion in total traded volume across 80+ blockchain ecosystems. ElJundi framed this as strategic positioning: "By working with Pyth to provide our reliable market data to applications, Revolut can influence digital economies by ensuring developers and users have access to the precise, real-time information they need." This data contribution allows Revolut to participate in DeFi infrastructure without capital commitment or active trading—a elegant solution to regulatory constraints on more direct DeFi engagement.

Revolut Ramp, launched in March 2024 through partnership with MetaMask, provides the critical on-ramp connecting Revolut's 52.5 million users to self-custody Web3 experiences. Users can purchase 20+ tokens including ETH, USDC, and SHIB directly into MetaMask wallets using Revolut account balances or Visa/Mastercard, with existing Revolut customers bypassing additional KYC and completing transactions within seconds. ElJundi positioned this as ecosystem play: "We are excited to announce our new crypto product Revolut Ramp, a leading on-ramp solution for the web3 ecosystem. Our on-ramp solution ensures high success rates for transactions done within the Revolut ecosystem and low fees for all customers."

The UK banking license obtained in July 2024 after a three-year application process, combined with Lithuanian banking license from the European Central Bank enabling MiCA-compliant operations, positions Revolut uniquely among crypto-friendly neobanks. Yet significant challenges persist, including €3.5 million fine from Bank of Lithuania in 2025 for AML failures related to crypto transactions and ongoing regulatory pressure on crypto-related banking services. Despite naming Revolut the "most crypto-friendly UK bank" with 38% of UK crypto firms using it for banking services, the company must navigate the perpetual tension between crypto innovation and banking regulation. ElJundi's emphasis on cross-border payments as the most promising crypto use case—"borderless payments represent one of the most promising use cases for cryptocurrency"—reflects pragmatic focus on defensible, regulation-compatible applications rather than pursuing every crypto opportunity.

Data infrastructure becomes the invisible foundation

CoinGecko's evolution from consumer-facing price tracker to enterprise data infrastructure provider processing 677 billion API requests annually reveals how data and analytics became essential plumbing for fintech crypto integration. Bobby Ong, Co-Founder and newly appointed CEO as of August 2025, explained the foundational insight: "We decided to pursue a data site because, quite simply, there's always a need for good quality data." That simple insight, formed when Bitcoin was trading at single-digit prices and Ong was mining his first coins in 2010, now underpins an enterprise serving Consensys, Chainlink, Coinbase, Ledger, Etherscan, Kraken, and Crypto.com.

The independence that followed CoinMarketCap's acquisition by Binance in 2020 became CoinGecko's defining competitive advantage. "The opposite happened, and users turned towards CoinGecko," Ong observed. "This happened because CoinGecko has always remained neutral & independent when giving numbers." This neutrality matters critically for fintech applications requiring unbiased data sources—Robinhood, Revolut, and PayPal cannot rely on data from competitors like Coinbase or exchanges with vested interests in specific tokens. CoinGecko's comprehensive coverage of 18,000+ cryptocurrencies across 1,000+ exchanges, plus 17 million tokens tracked through GeckoTerminal across 1,700 decentralized exchanges, provides fintech platforms the complete market visibility required for product development.

The Chainlink partnership exemplifies CoinGecko's infrastructure role. By providing cryptocurrency market data—price, trading volume, and market capitalization—for Chainlink's decentralized oracle network, CoinGecko enables smart contract developers to access reliable pricing for DeFi applications. "CoinGecko's cryptocurrency market data can now be easily called by smart contract developers when developing decentralized applications," the companies announced. "This data is available for Bitcoin, Ethereum, and over 5,700 coins that are currently being tracked on CoinGecko." This integration eliminates single points of failure by evaluating multiple data sources, maintaining oracle integrity crucial for DeFi protocols handling billions in locked value.

Ong's market insights, shared through quarterly reports, conference presentations including his Token 2049 Singapore keynote in October 2025 titled "Up Next: 1 Billion Tokens, $50 Trillion Market Cap," and his long-running CoinGecko Podcast, provide fintech companies valuable intelligence for strategic planning. His prediction that gaming would be the "dark horse" of crypto adoption—"hundreds of millions of dollars have gone into gaming studios to build web3 games in the past few years. All we need is just one game to become a big hit and suddenly we have millions of new users using crypto"—reflects the data-driven insights accessible to CoinGecko through monitoring token launches, DEX activity, and user behavior patterns across the entire crypto ecosystem.

The leadership transition from COO to CEO in August 2025, with co-founder TM Lee becoming President focused on long-term product vision and R&D, signals CoinGecko's maturation into institutionalized data provider. The appointment of Cedric Chan as CTO with mandate to embed AI into operations and deliver "real-time, high-fidelity crypto data" demonstrates the infrastructure investments required to serve enterprise customers. Ong framed the evolution: "TM and I started CoinGecko with a shared vision to empower the decentralized future. These values will continue to guide us forward." For fintech platforms integrating crypto, CoinGecko's comprehensive, neutral, and reliable data services represent essential infrastructure—the Bloomberg terminal for digital assets that enables everything else to function.

Technical infrastructure enables seamless user experiences

The transformation from crypto as separate functionality to integrated infrastructure required solving complex technical challenges around custody, security, interoperability, and user experience. These fintech platforms collectively invested billions in building the technical rails enabling mainstream crypto adoption, with architecture decisions revealing strategic priorities.

Robinhood's custody infrastructure holding $38 billion in crypto assets as of November 2024 employs industry-standard cold storage for the majority of funds, third-party security audits, and multi-signature protocols. The platform's licensing by New York State Department of Financial Services and FinCEN registration as money services business demonstrates regulatory-grade security. Yet the user experience abstracts this complexity entirely—customers simply see balances and execute trades within seconds. Johann Kerbrat emphasized this principle: "I think what makes us unique is that our UX and UI are pretty innovative. Compared to all the competition, this is probably one of the best UIs out there. I think that's what we want to bring to every product we build. Either the best-in-class type of pricing or the best-in-class UI UX."

The Crypto Trading API launched in May 2024 reveals Robinhood's infrastructure ambitions beyond consumer applications. Providing real-time market data access, programmatic portfolio management, automated trading strategies, and 24/7 crypto market access, the API enables developers to build sophisticated applications atop Robinhood's infrastructure. Combined with Robinhood Legend desktop platform featuring 30+ technical indicators, futures trading, and advanced order types, the company positioned itself as infrastructure provider for crypto power users, not merely retail beginners. The integration of Bitstamp's smart order routing post-acquisition provides institutional-grade execution across multiple liquidity venues.

PayPal's technical approach prioritizes seamless merchant integration over blockchain ideology. The Pay with Crypto solution announced in July 2025 exemplifies this philosophy: customers connect crypto wallets at checkout, PayPal sells cryptocurrency on centralized or decentralized exchanges, converts proceeds to PYUSD, then converts PYUSD to USD for merchant deposit—all happening transparently behind familiar PayPal checkout flow. Merchants receive dollars, not volatile crypto, eliminating the primary barrier to merchant adoption while enabling PayPal to capture transaction fees on what becomes a $3+ trillion addressable market of 650 million global crypto users. May Zabaneh captured the strategic insight: "As with almost anything with payments, consumers and shoppers should be given the choice in how they want to pay."

Revolut's multi-blockchain strategy—Ethereum for DeFi access, Solana for low-cost high-speed transactions, Stellar for cross-border payments—demonstrates sophisticated infrastructure architecture matching specific blockchains to use cases rather than single-chain maximalism. The staking infrastructure supporting Ethereum, Cardano, Polkadot, Solana, Polygon, and Tezos with automated staking for certain tokens reflects the deep integration required to abstract blockchain complexity from users. Over two-thirds of Revolut's Solana holdings in Europe are staked, suggesting users increasingly expect yield generation as default functionality rather than optional feature requiring technical knowledge.

Kalshi's partnership with Zero Hash for all crypto deposit processing—instantly converting Bitcoin, Solana, USDC, XRP, and other cryptocurrencies to USD while maintaining CFTC compliance—illustrates how infrastructure providers enable regulated companies to access crypto rails without becoming crypto custodians themselves. The platform supports $500,000 crypto deposit limits versus lower traditional banking limits, providing power users advantages while maintaining federal regulatory oversight. John Wang's vision for "purely additive" onchain initiatives—pushing event data onto blockchains in real-time, future tokenization of Kalshi positions, permissionless margin trading—suggests infrastructure evolution will continue expanding functionality while preserving the core regulated exchange experience for existing users.

The competitive landscape reveals collaborative infrastructure

The apparent competition between these platforms masks underlying collaboration on shared infrastructure that benefits the entire ecosystem. Kalshi's partnership with Robinhood, Revolut's integration with MetaMask and Pyth Network, PayPal's collaboration with Coinbase for fee-free PYUSD purchases, and CoinGecko's data provision to Chainlink oracles demonstrate how competitive positioning coexists with infrastructure interdependence.

The stablecoin landscape illustrates this dynamic. PayPal's PYUSD competes with Tether's USDT and Circle's USDC for market share, yet all three protocols require the same infrastructure: blockchain networks for settlement, crypto exchanges for liquidity, fiat banking partners for on/off ramps, and regulatory licenses for compliance. When Robinhood announced joining the Global Dollar Network for USDG stablecoin, it simultaneously validated PayPal's stablecoin strategy while creating competitive pressure. Both Robinhood and Revolut exploring proprietary stablecoins according to Bloomberg reporting in September 2024 suggests industry consensus that stablecoin issuance represents essential infrastructure for fintech platforms, not merely product diversification.

The blockchain network partnerships reveal strategic alignment. Kalshi's KalshiEco Hub supports both Solana and Base (Coinbase's Layer-2), Robinhood's Layer-2 builds on Arbitrum technology, PayPal's PYUSD deploys across Ethereum, Solana, Stellar, and Arbitrum, and Revolut integrates Ethereum, Solana, and prepares for Stellar expansion. Rather than fragmenting across incompatible networks, these platforms converge on the same handful of high-performance blockchains, creating network effects that benefit all participants. Bobby Ong's observation that "we're finally seeing DEXes challenge CEXes" following Hyperliquid's rise to 8th largest perpetuals exchange reflects how decentralized infrastructure matures to institutional quality, reducing advantages of centralized intermediaries.

The regulatory advocacy presents similar dynamics. While these companies compete for market share, they share interests in clear frameworks that enable innovation. Johann Kerbrat's statement that "my goal is to make sure that we can work no matter which side is winning in November" reflects industry-wide pragmatism—companies need workable regulation more than they need specific regulatory outcomes. The passage of the GENIUS Act for stablecoins, the Trump administration's establishment of a Strategic Bitcoin Reserve, and the SEC's closure of investigations into PYUSD without action all resulted from years of collective industry advocacy, not individual company lobbying. May Zabaneh's repeated emphasis that "there has to be some clarity that comes out, some standards, some ideas of the dos and the don'ts and some structure around it" articulates the shared priority that supersedes competitive positioning.

User adoption reveals mainstream crypto's actual use cases

The collective user bases of these platforms—over 700 million accounts across Robinhood, Revolut, PayPal, Venmo, and CoinGecko—provide empirical insights into how mainstream audiences actually use crypto, revealing patterns often divergent from crypto-native assumptions.

PayPal and Venmo's data shows 74% of users who purchased crypto continued holding it over 12 months, suggesting stability-seeking behavior rather than active trading. Over 50% chose Venmo specifically for "safety, security, and ease of use" rather than decentralization or self-custody—the opposite of crypto-native priorities. May Zabaneh's insight that customers want "choice in how they want to pay" manifests in payment functionality, not DeFi yield farming. The automatic "Cash Back to Crypto" feature on Venmo Credit Card reflects how fintech platforms successfully integrate crypto into existing behavioral patterns rather than requiring users to adopt new ones.

Robinhood's observation that users "start going from trading one of their stocks to one of the coins, then get slowly into the crypto world" and show "progression from just holding assets to actually transferring them out using a wallet and getting more into Web3" reveals the onboarding pathway—familiarity with platform precedes crypto experimentation, which eventually leads some users to self-custody and Web3 engagement. Johann Kerbrat's emphasis on this progression validates the strategy of integrating crypto into trusted multi-asset platforms rather than expecting users to adopt crypto-first applications.

Revolut's Learn & Earn program onboarding 3 million users with hundreds of thousands joining monthly demonstrates that education significantly drives adoption when paired with financial incentives. The UK's prohibition of Learn & Earn rewards in September 2023 due to regulatory changes provides natural experiment showing education alone less effective than education plus rewards. Mazen ElJundi's emphasis that "borderless payments represent one of the most promising use cases for cryptocurrency" reflects usage patterns showing cross-border payments and remittances as actual killer apps, not NFTs or DeFi protocols.

Kalshi's user demographics skewing toward "advanced retail investors, like options traders" seeking direct event exposure reveals prediction markets attract sophisticated rather than novice crypto users. The platform's explosive growth from $13 million monthly volume in early 2025 to a single-day record of $260 million in September 2025 (driven by sports betting, particularly NFL) demonstrates how crypto infrastructure enables scaling of financial products addressing clear user demands. John Wang's characterization of the "crypto community as the definition of power users, people who live and breathe new financial markets and frontier technology" acknowledges Kalshi's target audience differs from PayPal's mainstream consumers—different platforms serving different segments of the crypto adoption curve.

Bobby Ong's analysis of meme coin behavior provides contrasting insights: "In the long run, meme coins will probably follow an extreme case of power law, where 99.99% will fail." His observation that "the launch of TRUMPandTRUMP and MELANIA marked the top for meme coins as it sucked liquidity and attention out of all the other cryptocurrencies" reveals how speculative frenzies disrupt productive adoption. Yet meme coin trading represented significant volume across these platforms, suggesting user behavior remains more speculative than infrastructure builders prefer to acknowledge. The divergence between platform strategies emphasizing utility and stablecoins versus user behavior including substantial meme coin trading reflects ongoing tension in crypto's maturation.

The web3 integration challenge reveals philosophical divergence

The approaches these platforms take toward Web3 integration—enabling users to interact with decentralized applications, DeFi protocols, NFT marketplaces, and blockchain-based services—reveal fundamental philosophical differences despite superficial similarity in offering crypto services.

Robinhood's self-custody wallet, downloaded "hundreds of thousands of times in more than 100 countries" and supporting Ethereum, Bitcoin, Solana, Dogecoin, Arbitrum, Polygon, Optimism, and Base networks with cross-chain and gasless swaps, represents full embrace of Web3 infrastructure. The partnership with MetaMask through Robinhood Connect announced in April 2023 positions Robinhood as on-ramp to the broader Web3 ecosystem rather than walled garden. Johann Kerbrat's framing that blockchain technology will "rebuild the entire Robinhood in the EU from the ground up" suggests viewing Web3 as fundamental architecture, not adjacent feature.

PayPal's approach emphasizes utility within PayPal's ecosystem over interoperability with external Web3 applications. While PYUSD functions as standard ERC-20 token on Ethereum, SPL token on Solana, and maintains cross-chain functionality, PayPal's primary use cases—instant payments within PayPal/Venmo, merchant payments at PayPal-accepting merchants, conversion to other PayPal-supported cryptocurrencies—keep activity largely within PayPal's control. The Revolut Ramp partnership with MetaMask providing direct purchases into self-custody wallets represents more genuine Web3 integration, positioning Revolut as infrastructure provider for the open ecosystem. Mazen ElJundi's statement that "Revolut X along with our recent partnership with MetaMask, further consolidates our product offering in the world of Web3" frames integration as strategic priority.

The custody model differences crystallize the philosophical divergence. Robinhood's architecture where "once you purchase crypto on Robinhood, Robinhood believes you're the legal owner of the crypto" but Robinhood maintains custody creates tension with Web3's self-custody ethos. PayPal's custodial model where users cannot withdraw most cryptocurrencies to external wallets (except for specific tokens) prioritizes platform lock-in over user sovereignty. Revolut's model enabling crypto withdrawals of 30+ tokens to external wallets while maintaining staking and other services for platform-held crypto represents middle ground—sovereignty available but not required.

CoinGecko's role highlights infrastructure enabling Web3 without directly participating. By providing comprehensive data on DeFi protocols, DEXes, and token launches—tracking 17 million tokens across GeckoTerminal versus 18,000 more established cryptocurrencies on the main platform—CoinGecko serves Web3 developers and users without building competing products. Bobby Ong's philosophy that "anything that can be tokenized will be tokenized" embraces Web3's expansive vision while maintaining CoinGecko's focused role as neutral data provider.

The NFT integration similarly reveals varying commitment levels. Robinhood has largely avoided NFT functionality beyond basic holdings, focusing on tokenization of traditional securities instead. PayPal has not emphasized NFTs. Revolut integrated NFT data from CoinGecko in June 2023, tracking 2,000+ collections across 30+ marketplaces, though NFTs remain peripheral to Revolut's core offerings. This selective Web3 integration suggests platforms prioritize components with clear utility cases—DeFi for yield, stablecoins for payments, tokenization for securities—while avoiding speculative categories lacking obvious user demand.

The future trajectory points toward embedded finance redefined

The strategic roadmaps these leaders articulated reveal convergent vision for crypto's role in financial services over the next 3-5 years, with blockchain infrastructure becoming invisible foundation rather than explicit product category.

Johann Kerbrat's long-term vision—"We don't really see this distinction between a crypto company and a non-crypto company. Over time, anyone who is basically moving money or anyone who's in financial services is going to be a crypto company"—articulates the endpoint where crypto infrastructure ubiquity eliminates the crypto category itself. Robinhood's stock tokenization initiative, planning to tokenize "any financial instrument in the future, not just US stocks, but anything" with instant broker transfers replacing multi-day settlement, represents this vision operationalized. The Layer-2 blockchain development built on Arbitrum technology for compliance-ready infrastructure suggests 2026-2027 timeframe for these capabilities reaching production.

PayPal's merchant strategy targeting its 20 million business customers for PYUSD integration and expansion of Pay with Crypto beyond U.S. merchants to global rollout positions the company as crypto payment infrastructure at scale. May Zabaneh's emphasis on "payment financing" or PayFi—providing working capital for SMBs with delayed receivables using stablecoin infrastructure—illustrates how blockchain rails enable financial products impractical with traditional infrastructure. CEO Alex Chriss's characterization of PayPal World as "fundamentally reimagining how money moves around the world" by connecting the world's largest digital wallets suggests interoperability across previously siloed payment networks becomes achievable through crypto standards.

Revolut's planned expansion into crypto derivatives (actively recruiting General Manager for crypto derivatives as of June 2025), stablecoin issuance to compete with PYUSD and USDC, and US market crypto service relaunch following regulatory clarity signals multi-year roadmap toward comprehensive crypto banking. Mazen ElJundi's framing of "modernizing finance" through TradFi-DeFi convergence, with Revolut contributing reliable market data to DeFi protocols via Pyth Network while maintaining regulated banking operations, illustrates the bridging role neobanks will play. The investment of $500 million over 3-5 years for US expansion demonstrates capital commitment matching strategic ambition.

Kalshi's 12-month roadmap articulated by John Wang—integration with "every major crypto app and exchange," tokenization of Kalshi positions, permissionless margin trading, and third-party front-end ecosystem—positions prediction markets as composable financial primitive rather than standalone application. Wang's vision that "any generational fintech company of this decade will be powered by crypto" reflects millennial/Gen-Z leadership's assumption that blockchain infrastructure is default rather than alternative. The platform's developer-focused strategy with grants for sophisticated data dashboards, AI agents, and arbitrage tools suggests Kalshi will function as data oracle and settlement layer for prediction market applications, not merely consumer-facing exchange.

Bobby Ong's Token 2049 presentation titled "Up Next: 1 Billion Tokens, $50 Trillion Market Cap" signals CoinGecko's forecast for explosive token proliferation and market value growth over the coming years. His prediction that "the current market cycle is characterized by intense competition among companies to accumulate crypto assets, while the next cycle could escalate to nation-state involvement" following Trump's establishment of Strategic Bitcoin Reserve suggests institutional and sovereign adoption will drive the next phase. The leadership transition positioning Ong as CEO focused on strategic execution while co-founder TM Lee pursues long-term product vision and R&D suggests CoinGecko preparing infrastructure for exponentially larger market than exists today.

Measuring success: The metrics that matter in crypto-fintech integration

The financial performance and operational metrics these platforms disclosed reveal which strategies successfully monetize crypto integration and which remain primarily strategic investments awaiting future returns.

Robinhood's Q4 2024 crypto revenue of $358 million representing 35% of total net revenue ($1.01 billion total) and 700% year-over-year growth demonstrates crypto as material revenue driver, not experimental feature. However, Q1 2025's significant crypto revenue decline followed by Q2 2025 recovery to $160 million (still 98% year-over-year growth) reveals vulnerability to crypto market volatility. CEO Vlad Tenev's acknowledgment of need to diversify beyond crypto dependency led to Gold subscriber growth (3.5 million record), IRA matching, credit cards, and advisory services. The company's adjusted EBITDA of $1.43 billion in 2024 (up 167% year-over-year) and profitable operations demonstrate crypto integration financially sustainable when paired with diversified revenue streams.

Revolut's crypto-related wealth revenue of $647 million in 2024 (298% year-over-year growth) representing significant portion of $4 billion total revenue demonstrates similar materiality. However, crypto's contribution to the $1.4 billion pre-tax profit (149% year-over-year growth) shows crypto functioning as growth driver for profitable core business rather than sustaining unprofitable operations. The 52.5 million global users (38% year-over-year growth) and customer balances of $38 billion (66% year-over-year growth) reveal crypto integration supporting user acquisition and engagement metrics beyond direct crypto revenue. The obtainment of UK banking license in July 2024 after three-year process signals regulatory acceptance of Revolut's integrated crypto-banking model.

PayPal's PYUSD market cap oscillating between $700-894 million through 2025 after peaking at $1.012 billion in August 2024 represents less than 1% of the $229.2 billion total stablecoin market but provides strategic positioning for payments infrastructure play rather than asset accumulation. The $4.1 billion monthly transfer volume (23.84% month-over-month increase) demonstrates growing utility, while 51,942 holders suggests adoption remains early stage. The 4% annual rewards introduced April 2025 through Anchorage Digital partnership directly competes for deposit accounts, positioning PYUSD as yield-bearing cash alternative. PayPal's 432 million active users and $417 billion total payment volume in Q2 2024 (11% year-over-year growth) contextualize crypto as strategic initiative within massive existing business rather than existential transformation.

Kalshi's dramatic trajectory from $13 million monthly volume early 2025 to $260 million single-day record in September 2025, market share growth from 3.3% to 66% overtaking Polymarket, and $2 billion valuation in June 2025 Series C demonstrates prediction markets achieving product-market fit with explosive growth. The platform's 1,220% revenue growth in 2024 and total volume of $1.97 billion (up from $183 million in 2023) validates the business model. However, sustainability beyond election cycles and peak sports seasons remains unproven—August 2025 volume declined before September's NFL-driven resurgence. The 10% of deposits made with crypto suggests crypto infrastructure important but not dominant for user base, with traditional payment rails still primary.

CoinGecko's 677 billion API requests annually and enterprise customers including Consensys, Chainlink, Coinbase, Ledger, and Etherscan demonstrate successful transition from consumer-facing application to infrastructure provider. The company's funding history, including Series B and continued private ownership, suggests profitability or strong unit economics enabling infrastructure investment without quarterly earnings pressure. Bobby Ong's elevation to CEO with mandate for "strategic foresight and operational excellence" signals maturation into institutionalized enterprise rather than founder-led startup.

The verdict: Crypto becomes infrastructure, not destination

The transformation from apps to assets fundamentally represents crypto's absorption into financial infrastructure rather than crypto's replacement of traditional finance. These five companies, collectively serving over 700 million users and processing hundreds of billions in crypto transactions annually, validated that mainstream crypto adoption occurs through familiar platforms adding crypto functionality, not through users adopting crypto-native platforms.

Johann Kerbrat's observation that "anyone who is basically moving money or anyone who's in financial services is going to be a crypto company" proved prescient—by late 2025, the distinction between fintech and crypto companies became semantic rather than substantive. Robinhood tokenizing stocks, PayPal settling merchant payments through stablecoin conversion, Revolut contributing price data to DeFi protocols, Kalshi pushing event data onchain, and CoinGecko providing oracle services to smart contracts all represent crypto infrastructure enabling traditional financial products rather than crypto products replacing traditional finance.

The stablecoin convergence exemplifies this transformation. As McKinsey forecast $2 trillion stablecoin circulation by 2028 from $250 billion in 2025, the use case clarified: stablecoins as payment rails, not stores of value. The blockchain benefits—instant settlement, 24/7 availability, programmability, lower costs—matter for infrastructure while fiat denomination maintains mainstream acceptability. May Zabaneh's articulation that stablecoins represent crypto's "killer app" by "combining the power of the blockchain with the stability of fiat currency" captured the insight that mainstream adoption requires mainstream denominations.

The regulatory breakthrough in 2024-2025 through MiCA, GENIUS Act, and federal court victories for Kalshi created the clarity all leaders identified as prerequisite for mainstream adoption. May Zabaneh's statement that "there has to be some clarity that comes out, some standards, some ideas of the dos and the don'ts" reflected universal sentiment that regulatory certainty mattered more than regulatory favorability. The companies that invested in compliance-first strategies—PayPal's full BitLicense, Robinhood's meeting with SEC 16 times, Kalshi's CFTC litigation, Revolut's UK banking license—positioned themselves to capitalize when clarity arrived.

Yet significant challenges persist. Robinhood's 35% Q4 revenue dependence on crypto followed by Q1 decline demonstrates volatility risk. Revolut's €3.5 million AML fine highlights ongoing compliance challenges. PayPal's PYUSD capturing less than 1% stablecoin market share shows incumbent advantages in crypto markets. Kalshi's sustainability beyond election cycles remains unproven. CoinGecko's challenge competing against exchange-owned data providers with deeper pockets continues. The path from 700 million accounts to mainstream ubiquity requires continued execution, regulatory navigation, and technological innovation.

The ultimate measure of success will not be crypto revenue percentages or token prices but rather crypto's invisibility—when users obtain yield on savings accounts without knowing stablecoins power them, transfer money internationally without recognizing blockchain rails, trade prediction markets without understanding smart contracts, or tokenize assets without comprehending custody architecture. John Wang's vision of prediction markets as "Trojan Horse for crypto," Mazen ElJundi's "bridge between Web2 and Web3," and Bobby Ong's philosophy that "anything that can be tokenized will be tokenized" all point toward the same endpoint: crypto infrastructure so seamlessly integrated into financial services that discussing "crypto" as separate category becomes obsolete. These five leaders, through parallel execution of convergent strategies, are building that future—one API request, one transaction, one user at a time.

The Solana Treasury Revolution Reshaping Crypto Corporate Strategy

· 38 min read
Dora Noda
Software Engineer

The September 2025 panel "The Solana Treasury Bet: From Balance Sheets to Ecosystem Flywheel" at TOKEN2049 Singapore marked a watershed moment in institutional crypto adoption. Led by industry titans from Galaxy Digital, Jump Crypto, Pantera Capital, Drift, and the Solana Foundation, the discussion revealed how corporations are abandoning passive Bitcoin strategies for active, yield-generating Solana treasuries that turn balance sheets into productive ecosystem participants. With $3+ billion already deployed by 19 public companies holding 15.4 million SOL (2.5% of supply), this shift creates a powerful flywheel: corporate capital purchases SOL, reducing supply while funding ecosystem growth, which attracts developers and users, generating real economic value that justifies further corporate adoption. Unlike Bitcoin's passive "digital gold" narrative, Solana's treasury thesis combines 7-8% staking yields with DeFi participation, high-performance infrastructure (65,000 TPS), and alignment with network growth—enabling companies to operate as on-chain financial institutions rather than mere holders. The panel's roster—representing firms that collectively committed over $2 billion to Solana treasuries in 2025—signaled that institutional crypto has evolved from speculation to fundamental value creation.

The landmark panel that launched a movement

The TOKEN2049 Singapore panel on October 1-2, 2025, assembled five voices who would shape the narrative around Solana's institutional moment. Jason Urban, Galaxy Digital's Global Head of Trading, articulated the regulatory catalyst: "Under the new US regulatory environment, many L1 and L2 are no longer considered securities, which opens the door for public companies to acquire cryptocurrencies in large quantities and trade them on the public market." This regulatory shift, combined with Solana's technical maturity and economic potential, created what Galaxy CEO Mike Novogratz called "the season of SOL."

The panel occurred amid extraordinary market momentum. Galaxy Digital, Jump Crypto, and Multicoin Capital had just closed Forward Industries' record-breaking $1.65 billion PIPE financing—the largest Solana-focused treasury raise in history. Forward acquired 6.82 million SOL at an average price of $232, immediately positioning itself as the world's largest public Solana treasury. Pantera Capital, through General Partner Cosmo Jiang, had simultaneously raised $500 million for Helius Medical Technologies (later rebranding to "Solana Company"), with an additional $750 million available through warrants. Combined with other treasury announcements that month, over $4 billion in capital commitments flooded into Solana within weeks.

The panel's composition reflected different facets of the Solana ecosystem. Saurabh Sharma brought Jump Crypto's engineering credibility—the firm develops Firedancer, a high-performance validator client targeting 1 million+ transactions per second. Cosmo Jiang represented Pantera's asset management sophistication, managing over $1 billion in Digital Asset Treasury exposure across 15+ investments. Akshay BD contributed the Solana Foundation's community-first philosophy, emphasizing permissionless access to "Internet Capital Markets." David Lu showcased Drift's $300+ million TVL perpetuals exchange as infrastructure enabling sophisticated treasury strategies. Jason Urban embodied institutional capital deployment expertise, having just orchestrated Galaxy's acquisition of 6.5 million SOL in five days to support the Forward deal.

Participants maintained an overwhelmingly optimistic outlook on Solana's institutional trajectory. The consensus centered on Solana's potential to generate $2 billion in annual revenue with consistent growth, making it increasingly attractive to traditional public market investors. Unlike passive Bitcoin holdings, the panel emphasized that Solana treasuries could deploy capital in "sophisticated ways within the ecosystem to create differentiated value and increase SOL per share at a faster rate than simply being a passive holder." This active management philosophy—turning corporate treasuries into on-chain hedge funds—distinguished Solana's approach from predecessors.

Why smart money chooses Solana over Bitcoin and Ethereum

The treasury bet thesis rests on Solana's fundamental advantages over alternative blockchain assets. Cosmo Jiang distilled the investment case: "Solana is just faster, cheaper, and more accessible. It maps perfectly to the same consumer demand cycle that made Amazon unbeatable." This Amazon analogy—emphasizing Jeff Bezos' "holy trinity of consumer wants" (fast, cheap, accessible)—underpins Pantera's conviction that Solana will become the premier destination for consumer applications and decentralized finance.

The yield generation differential stands as the most compelling financial argument. While Bitcoin produces zero native yield and Ethereum generates 3-4% through staking, Solana delivers 7-8% annual returns from validation rewards. For Upexi Inc., which holds 2 million SOL, this translates to $65,000 in daily staking income (approximately $23-27 million annually). These yields create recurring revenue streams that can service debt obligations without selling assets—enabling sophisticated capital structures like convertible notes and perpetual preferred stock that work poorly for non-yield-bearing Bitcoin. As Multicoin Capital's Kyle Samani noted, the convertible and perpetual preferred structure "works far better for SOL than BTC" precisely because of this cash flow generation.

Beyond staking, Solana's mature DeFi ecosystem enables treasury deployment strategies unavailable on Bitcoin. Companies can participate in lending protocols (Kamino, Drift), provide liquidity, execute basis trades, farm airdrops, and deploy liquid staking tokens as collateral while maintaining yield. DeFi Development Corp partnered with risk management firm Gauntlet to optimize strategies across these opportunities, claiming 20-40% higher yields than centralized exchanges. Forward Industries emphasized its intention to generate "differentiated on-chain return sources that go far beyond traditional staking, leveraging Solana's high-performance decentralized finance ecosystem."

The performance and cost advantages create operational benefits. Solana processes 65,000 transactions per second with sub-second finality and approximately $0.00025 fees—thousands of times cheaper than Ethereum's variable gas costs. This enables high-frequency treasury operations, on-chain equity issuance (Forward partnering with Superstate to tokenize shares), native dividend processing, and governance execution. Mike Novogratz emphasized that Solana "can process 14 billion transactions a day—that's more than equities, fixed income, commodities and foreign exchange combined. It's tailor-made for financial markets."

From a portfolio construction perspective, Solana offers asymmetric upside potential. Trading at only 5% of Bitcoin's market cap despite comparable or superior usage metrics, early institutional adopters see substantial appreciation opportunity. Pantera's analysis showed Solana generated $1.27 billion in annualized revenue while Ethereum generated $2.4 billion—yet Ethereum's market cap stood 4x larger. This valuation gap, combined with Solana's superior growth rates (83% developer growth vs. industry's -9% decline), positions SOL as an earlier-stage bet with higher potential returns.

The competitive positioning against Ethereum reveals structural advantages. Solana's monolithic architecture captures all value in the SOL token with unified user experience, while Ethereum's value fragments across Layer-2 ecosystems (Arbitrum, Optimism, Base). As Cosmo Jiang observed, Ethereum "is currently losing market share" despite talented builders, trading at a $435 billion valuation that "ranks amongst the most successful companies in the world if compared to equity." Meanwhile, Solana captured 64% of AI agent sector mindshare, 81% of DEX transactions by count, and added 7,625 new developers in 2024—the most of any blockchain, surpassing Ethereum for the first time since 2016.

The sophisticated mechanics behind corporate SOL accumulation

Treasury companies employ diverse capital-raising mechanisms tailored to market conditions and strategic objectives. Private Investment in Public Equity (PIPE) transactions dominate early-stage accumulation, enabling negotiated deals with institutional buyers at fixed discounts. Forward Industries closed its $1.65 billion PIPE in approximately two weeks, demonstrating execution speed when strategic investors align. Sharps Technology similarly raised $400 million through PIPE financing backed by ParaFi, Pantera Capital, FalconX, and others, securing an additional $50 million in SOL from the Solana Foundation at a 15% discount.

At-The-Market (ATM) offerings provide ongoing flexibility for opportunistic accumulation. Forward's $4 billion ATM program filed shortly after its initial PIPE signals ambition to continue accumulating as market conditions permit. ATMs allow companies to sell shares incrementally at prevailing market prices, timing issuance to maximize proceeds and minimize dilution. This continuous capital-raising capacity proves crucial for maintaining accumulation velocity in competitive markets.

Convertible notes and perpetual preferred stock represent sophisticated financing innovations enabled by Solana's native yield. SOL Strategies secured a $500 million convertible note financing specifically for SOL purchases, described as "first-of-its-kind digital asset financing with staking yield sharing." The 7-8% staking rewards make debt servicing natural—interest payments come from yield generation rather than operational cash flow. Multicoin's Kyle Samani actively promoted perpetual preferred structures where dividends can be serviced from staking income while avoiding maturity dates that force refinancing or repayment.

Locked token purchases at discounts create immediate value accretion. Upexi acquired over 50% of its holdings as locked tokens at approximately 15% discounts, accepting multi-year vesting schedules in exchange for below-market pricing. With 19.1 million SOL (3.13% of supply) currently locked until January 2028, secondary markets emerged where companies purchase these discounted tokens from early investors seeking liquidity. This strategy delivers instant gains once tokens unlock while earning staking rewards throughout the lockup period, and reduces future supply overhang by concentrating tokens in long-term corporate hands rather than retail sellers.

Deployment strategies vary by operational sophistication and risk tolerance. Pure staking approaches appeal to companies avoiding technical complexity—Upexi stakes nearly its entire 2 million SOL position through delegation across multiple validators, earning consistent yields without operating infrastructure. This maximizes capital efficiency and minimizes operational overhead, though it forgoes additional revenue streams available to validator operators.

Validator operations unlock multiple income sources beyond basic staking. Companies running validators capture inflation rewards (earned from staking), block rewards (not available to delegators), MEV (maximum extractable value) rewards with commissions, and validator fees from third-party delegators. SOL Strategies exemplifies this model: holding only 435,000 SOL in treasury yet securing 3.75 million SOL in delegations from external stakers. With commission rates of 1-5%, these delegations generate substantial recurring revenue. The company acquired three independent validators (Laine, OrangeFin Ventures, Cogent) to accelerate this "validator-as-a-service" business model, positioning itself as a technology company first and treasury second—the "DAT++" approach.

Liquid staking tokens revolutionize capital efficiency by maintaining liquidity while earning yields. DeFi Development Corp partnered with Sanctum to launch dfdvSOL, a liquid staking token representing its staked position. Holders earn staking rewards while retaining the ability to trade, use as collateral, or deploy in DeFi protocols. This innovation enables simultaneous pursuit of multiple strategies: staking yields plus DeFi lending yields plus potential liquidation without unstaking delays. VisionSys AI announced plans to deploy $2 billion through Marinade Finance's mSOL, leveraging liquid staking for maximum flexibility.

Advanced DeFi strategies transform treasuries into active investment vehicles. Companies lend liquid staking tokens on platforms like Kamino and Drift, borrow stablecoins against collateral for further deployment, execute delta-neutral basis trades capturing funding rate arbitrage, participate in lending protocols with cross-margin capabilities, and farm airdrops through strategic protocol participation. Forward Industries explicitly emphasized generating "differentiated yields" through these sophisticated tactics, with Galaxy Asset Management providing execution and risk management expertise.

The companies betting billions on Solana's future

Forward Industries represents the apex of Solana treasury ambition. The 60-year-old medical device design company executed a complete strategic pivot, raising $1.65 billion from Galaxy Digital, Jump Crypto, and Multicoin Capital to establish the world's largest public Solana treasury. The firm acquired 6.82 million SOL at an average price of $232 and subsequently filed a $4 billion ATM offering to continue accumulating. Kyle Samani (Multicoin co-founder) serves as Chairman, with Saurabh Sharma (Jump Crypto CIO) and Chris Ferraro (Galaxy President/CIO) as board observers, providing governance by the ecosystem's most sophisticated investors.

Forward's strategy emphasizes active on-chain participation over passive holding. The company executed its first trades using DFlow DEX aggregator for optimal on-chain execution, demonstrating commitment to utilizing Solana-native infrastructure. Partnership with Superstate to tokenize FORD shares positions the company at the intersection of traditional securities and blockchain, aligning with SEC Chair Paul Atkins' "Project Crypto" initiative for on-chain capital markets. Saurabh Sharma articulated Jump's enthusiasm: "We believe the opportunity exists to provide investors with access to differentiated on-chain return sources that go far beyond traditional staking, leveraging Solana's high-performance decentralized finance ecosystem."

DeFi Development Corp pioneered many treasury innovations as the first major public company centering entirely on Solana strategy. The real estate tech company pivoted in April 2025 under new management from former Kraken executives, raising $370 million through multiple vehicles including a $5 billion equity line of credit for future expansion. Holding 2.03 million SOL, the company achieved remarkable stock appreciation—surging 34x from $0.67 to approximately $23 in 2025, becoming one of the year's top-performing public equities.

The company's innovation portfolio demonstrates ecosystem leadership. It launched dfdvSOL as the first liquid staking token from a corporate treasury through Sanctum partnership, tokenized its equity (DFDVx trading on Solana) as the first public company with on-chain shares, acquired two validators ($500,000 cash plus $3 million stock) for infrastructure control, and initiated international expansion with DFDV UK after acquiring 45% of Cykel AI. The franchise model envisions "a globally distributed network of Solana treasury companies across multiple stock exchanges," with five additional subsidiaries under development. Performance metrics focus on SOL Per Share (SPS), targeting 1.0 by 2028 (currently 0.0618), with 9% month-over-month SOL holdings growth and 7% monthly SPS improvement demonstrating execution discipline.

Upexi Inc. exemplifies the staking maximalist approach. The D2C consumer products aggregator raised $100 million initially, followed by $200 million, plus a $500 million credit line—backed by 15 VC firms including Anagram, GSR, Delphi Digital, Maelstrom (Arthur Hayes' fund), and Morgan Creek. The company acquired 2 million+ SOL, with over 50% purchased as locked tokens at discounts. Unlike validator-focused competitors, Upexi pursues pure delegation: staking nearly its entire treasury across multiple validators to generate $65,000 daily ($23-27 million annually) without operational complexity. The 20-year asset management agreement with GSR (1.75% annual fee) provides professional oversight while avoiding internal infrastructure costs. Stock performance reflected market enthusiasm, spiking 330% following the initial announcement.

Sharps Technology secured $400 million in PIPE financing from ParaFi, Pantera Capital, FalconX, RockawayX, and Republic Digital to build what it described as the "world's largest Solana treasury." Holding 2.14 million SOL, the company signed a memorandum of understanding with Solana Foundation for $50 million in SOL at a 15% discount to the 30-day average price—demonstrating Foundation partnership benefits. Leadership includes Alice Zhang (CIO) and James Zhang (Strategic Advisor) from Jambo, bringing operational expertise to the treasury strategy.

Galaxy Digital's involvement transcends board participation through direct treasury accumulation. The firm acquired 6.5 million SOL in just five days during September 2025, moving 1.2 million SOL ($306 million) to Fireblocks custody on September 7 alone. As one of Solana's largest validators, Galaxy provides comprehensive ecosystem services: trading infrastructure, lending facilities, staking operations, and risk management. The firm's September 2025 tokenization of its own shares on Solana through Superstate partnership—becoming the first Nasdaq-listed company with blockchain-tradable equity—demonstrated operational commitment beyond passive treasury exposure.

Helius Medical Technologies (rebranding to "Solana Company") raised $500 million through PIPE with up to $1.25 billion total capacity via warrants, led by Pantera Capital and Summer Capital. Cosmo Jiang serves as Board Director, with Dan Morehead (Pantera CEO) as Strategic Advisor, positioning Pantera as asset manager executing the treasury strategy. The deliberate rebrand to "Solana Company" signals long-term ecosystem alignment, with Jiang stating: "We believe we have the right setup to be the leading, if not, at least one of the two or three, but certainly the leading, Solana DAT."

Beyond these marquee names, the ecosystem includes 19 publicly traded companies collectively holding 15.4 million SOL (2.5% of supply) valued at over $3 billion. Additional notable holders include SOL Strategies (435,064 SOL, pursuing "DAT++" validator-centric model), Classover Holdings (57,793 SOL, first Nasdaq company accepting SOL as payment), BIT Mining (44,000 SOL, rebranding to SOLAI Limited), and numerous others with positions ranging from tens of thousands to millions of SOL. With hundreds of millions in undeployed committed capital and multiple companies targeting $1 billion+ treasuries, the corporate accumulation trajectory suggests growth to 3-5% of total SOL supply within 12-24 months.

How corporate SOL holdings create unstoppable momentum

The ecosystem flywheel operates through interconnected feedback loops where each component amplifies the others. Corporate treasury adoption initiates the cycle: companies purchase millions of SOL, immediately reducing circulating supply. With 64.8% of all SOL already staked network-wide, treasury company accumulation further constrains liquid supply available for trading. This supply reduction occurs precisely as institutional capital creates sustained demand, generating upward price pressure that attracts additional treasury adopters—the first reinforcing loop.

Network effects compound through validator participation and ecosystem investment. Treasury companies operating validators secure the network (1,058 active validators across 39 countries), earn enhanced yields through block rewards and MEV, and gain governance influence over protocol upgrades. More sophisticated treasury operators deploy capital across the ecosystem: funding Solana-native projects, providing liquidity to DeFi protocols, and strategically participating in token launches. DeFi Development Corp's white-label validator partnership with BONK memecoin exemplifies this approach—earning validator commissions while supporting ecosystem projects.

Developer attraction accelerates ecosystem value creation. Solana added 7,625 new developers in 2024—more than any blockchain, overtaking Ethereum for the first time since 2016. The 83% year-over-year growth in developer activity, sustained despite broader crypto declining 9%, demonstrates genuine momentum independent of price speculation. Electric Capital's 2024 Developer Report confirmed 2,500-3,000 monthly active developers consistently building on Solana, with India emerging as the #1 source of new Solana talent (27% global share). This developer influx produces better applications, which attracts users, generating transaction volume that creates real economic value—feeding back into treasury valuations.

DeFi ecosystem growth provides concrete metrics for flywheel effectiveness. Total Value Locked surged from $4.63 billion in September 2024 to $13+ billion by September 2025—nearly tripling in twelve months to secure the #2 DeFi ecosystem ranking behind only Ethereum. Leading protocols demonstrate concentrated growth: Kamino Finance reached $2.1 billion TVL (25.3% market share, +33.9% quarter-over-quarter), Raydium hit $1.8 billion (21.1% share, +53.5% QoQ), and Jupiter achieved $1.6 billion (19.4% share). Average daily spot DEX volume exceeded $2.5 billion with H1 2025 total volume reaching $1.2 trillion, while perpetuals DEX volume averaged $879.9 million daily.

The App Revenue Capture Ratio reached 211.6% in Q2 2025—meaning for every $100 in transaction fees, applications earned $211.60 in revenue. This 67.3% increase from Q1's 126.5% ratio demonstrates sustainable business models for protocols building on Solana. Unlike networks where applications struggle to monetize activity, Solana's design enables protocol profitability that attracts continued investment and development. Chain GDP (total application revenue) reached $576.4 million in Q2 2025, down from Q1's $1 billion peak due to cooling speculation but maintaining strong fundamentals.

User growth metrics reveal network adoption trajectory. Monthly active addresses reached 127.7 million in June 2025—matching all other Layer-1 and Layer-2 blockchains combined. Daily active wallets averaged 2.2 million in Q1 2025, with 3.9 million daily fee payers demonstrating genuine economic activity beyond bot traffic. The network processed 8.9 billion transactions in Q2 2025, with August 2024 alone recording 2.9 billion transactions—equaling Ethereum's entire history through that date. Non-vote transactions (actual user activity excluding validator consensus) averaged 99.1 million daily, representing real economic usage rather than inflated metrics.

Economic productivity creates virtuous cycles through multiple revenue streams. Solana generated approximately $272.3 million in Real Economic Value (REV) during Q2 2025, comprising transaction fees, MEV rewards, and priority fees. While lower than Q1's speculation-driven peak, this sustained revenue base supports validator economics and staking yields. Staked SOL in USD terms reached $60 billion in Q2 2025 (+25.2% quarter-over-quarter), with liquid staking adoption growing 16.8% QoQ to 12.2% of staked supply. The combination of native staking yield, validator commissions, and DeFi opportunities creates total return potential of 7-8% annually before price appreciation—dramatically exceeding traditional corporate treasury instruments.

Institutional legitimacy amplifies momentum through regulatory clarity and traditional finance integration. The REX-Osprey Solana Staking ETF reached $160+ million AUM shortly after July 2025 launch, while VanEck filed for the first JitoSOL ETF (liquid staking token-backed). Nine total Solana ETF applications await SEC approval, with decisions expected October 2025 and beyond. Franklin Templeton integrated its money market fund on Solana, while BlackRock, Stripe, PayPal, HSBC, and Bank of America all initiated Solana-based projects. These traditional finance partnerships validate the network's enterprise readiness, attracting additional institutional capital and creating the legitimacy necessary for broader treasury adoption.

The flywheel's self-reinforcing nature means each component's growth accelerates others. Developer growth produces better applications, attracting users whose activity generates fees that fund validator rewards, improving staking yields that justify treasury accumulation, which provides capital for ecosystem investment that attracts more developers. Corporate holdings reduce supply while staking locks tokens for security, constraining liquidity as demand increases, driving price appreciation that increases corporate treasury valuations, enabling additional capital raises at favorable terms to purchase more SOL. Infrastructure improvements (Alpenglow reducing finality to 100-150ms, Firedancer targeting 1 million+ TPS) enhance performance, supporting more sophisticated applications that differentiate Solana from competitors, attracting institutional builders who require enterprise-grade reliability.

Quantifiable evidence demonstrates flywheel acceleration. Market capitalization grew to $82.8 billion by Q2 2025 end (+29.8% quarter-over-quarter), with SOL trading between $85-$215 throughout 2025. Solana captured 81% of all DEX transactions by count, 87% of new token launches in 2024, and 64% of AI agent sector mindshare—dominating emerging categories where builders choose infrastructure for new projects. The Nakamoto coefficient of 21 (above median versus other networks) balances decentralization with performance, while 16+ months of continuous uptime as of mid-2025 addressed historical reliability concerns that previously hindered institutional adoption.

What the industry's sharpest minds really think

Cosmo Jiang's fundamental analysis framework distinguishes Pantera's approach from speculative crypto investors. "If fundamental investing does not come to this industry, it just means that we failed," Jiang stated in December 2024. "All assets eventually follow the laws of gravity. The only thing that matters to investors at the end of the day—and this has been true for millennia—is cash flow." This conviction that crypto must justify valuations through economic productivity rather than narrative drives Pantera's treasury thesis. As a tech investor bringing ten years of traditional finance experience (Managing Director at Hitchwood Capital, Apollo Global Management, Evercore M&A), Jiang applies public equity valuation methodologies to blockchain networks.

His analysis emphasizes Solana's growth metrics over absolute scale. Comparing incremental developer adoption, transaction volume, and revenue growth reveals Solana capturing market share from established competitors. "Take a look at incremental growth and compare how much has gone to Solana versus Ethereum. The numbers are stark. None of this stuff is worth anything if no one uses it," Jiang observed. Solana's 3 million daily active addresses versus Ethereum's 454,000, revenue growth of +180% versus Ethereum's +37% in 30-day periods, and capturing 81% of DEX transaction count demonstrate actual usage rather than speculative positioning. He framed Ethereum's challenge directly: "Ethereum clearly has a lot of very talented people building on it. It has an interesting roadmap, but it's also valued for that, right? It is a very large asset. At $435 billion, that would rank it amongst one of the most successful companies in the world if it were compared to equity. And the unfortunate fact is it's currently losing market share."

The Digital Asset Treasury investment case centers on yield generation and NAV-per-share growth. "The investment case for Digital Asset Treasury companies is grounded in a simple premise: DATs can generate yield to grow net asset value per share, resulting in more underlying token ownership over time than just holding spot," Jiang explained. "Therefore, owning a DAT could offer higher return potential compared to holding tokens directly or through an ETF." This philosophy treats NAV-per-share as "the new free cash flow per share," applying fundamental equity analysis to crypto treasuries. The 51 Insights podcast titled "Inside Pantera's $500M Solana Treasury Play" detailed this approach for 35,000+ digital asset leaders, positioning treasury companies as actively managed investment vehicles rather than passive wrappers.

Jiang's design philosophy analysis provides intellectual foundation for Solana preference. Drawing parallels to Jeff Bezos' Amazon strategy—the "holy trinity of consumer wants" (fast, cheap, accessible)—he sees identical clarity in Solana's architecture. "I often think back to what Jeff Bezos described as the 'holy trinity of consumer wants', the cornerstone of Amazon's philosophy and what drove that company to great heights. I see that same clarity of vision and that same trinity in Solana, underscoring my conviction." This contrasts with Ethereum's ethos: "The driving force behind Ethereum philosophy has been maximum decentralization. I'm not a crypto native, I'm really a tech investor, so I don't believe in decentralization for the sake of decentralization. There's probably a minimum viable decentralization that's good enough." This pragmatic engineering perspective—prioritizing performance and user experience over ideological purity—aligns with Solana's monolithic architecture choices.

Saurabh Sharma brings infrastructure expertise and engineering credibility to Jump Crypto's Solana commitment. As CIO of Jump Crypto and General Partner at Jump Capital, Sharma joined Forward Industries as Board Observer following the $1.65 billion raise, signaling hands-on strategic involvement beyond passive investment. His background combines quantitative trading expertise (former Lehman Brothers quant trader), data science and product leadership (Groupon), and technical depth (MS Computer Science from Cornell, MBA from Chicago Booth). This profile matches Solana's positioning as the high-performance blockchain for sophisticated financial applications.

Jump's technical contributions provide unique differentiation among treasury investors. The firm develops Firedancer, a second high-performance validator client targeting 1 million+ transactions per second—potentially increasing Solana's capacity 15-20x. As one of the largest validators and core engineering contributors (Firedancer, DoubleZero, Shelby infrastructure projects), Jump's investment thesis incorporates intimate technical knowledge of Solana's capabilities and limitations. Sharma emphasized this advantage: "Jump Crypto has been a key engineering contributor to the Solana ecosystem through critical R&D projects like Firedancer, DoubleZero and others. We hope these efforts will be helpful to Forward Industries in achieving institutional scale and driving shareholder value."

The active treasury management philosophy distinguishes Jump's approach from passive holders. "Jump Crypto is excited to back Forward Industries as it takes a bold step forward with Solana at the center of its strategy," Sharma stated. "We believe the opportunity exists to provide investors with access to differentiated on-chain return sources that go far beyond traditional staking, leveraging Solana's high-performance decentralized finance ecosystem." This emphasis on "differentiated on-chain return sources" reflects Jump's quantitative trading DNA—seeking alpha through sophisticated strategies unavailable to passive holders. Mike Novogratz praised this expertise: "Kyle, Chris, and Saurabh are three of the most established names within the broader digital asset ecosystem. We believe that under their guidance, Forward Industries will quickly separate itself as the leading publicly-traded company within the Solana ecosystem."

Jason Urban's institutional capital markets perspective brings traditional finance legitimacy to Solana treasury strategies. As Global Head of Trading at Galaxy Digital with previous experience as Goldman Sachs VP and DRW Trading Group trader, Urban understands institutional risk management and capital deployment at scale. His options trading background (career began in Chicago options pits) informs risk-aware portfolio construction—focusing on "what's my max loss" and "what exactly could go wrong" in novel asset classes. This institutional rigor counterbalances crypto-native enthusiasm with prudent risk assessment.

Galaxy's September 2025 execution demonstrated institutional-scale operational capacity. The firm acquired 6.5 million SOL in five days, executing through major exchanges (Binance, Bybit, Coinbase) with $530-724 million in SOL purchases between September 11-12 alone. This rapid deployment into Fireblocks custody showcased infrastructure readiness for multi-billion-dollar operations. As co-lead investor in Forward's $1.65 billion PIPE, Galaxy committed $300+ million while assuming board observer role (Chris Ferraro, Galaxy President/CIO). The firm simultaneously provides treasury management, trading, staking, and risk management services to Forward—positioning Galaxy as full-service institutional partner rather than passive investor.

Mike Novogratz's public advocacy amplified Galaxy's Solana thesis through high-profile media appearances. His September 11, 2025 CNBC Squawk Box interview declaring "This is the season of SOL" articulated three supporting pillars: technological superiority (65,000 TPS with less than $0.01 fees, 400ms block times, capacity for 14 billion transactions daily), regulatory momentum (SEC Chair Paul Atkins' "Project Crypto" initiative, Nasdaq filing for tokenized securities trading, new stablecoin framework), and capital inflows (anticipated SOL ETF approvals, institutional competition creating flywheel effect). The emphasis on Solana being "tailor-made for financial markets" with transaction capacity exceeding "equities, fixed income, commodities and foreign exchange combined" positioned the network as infrastructure for tokenized global finance rather than speculative technology.

David Lu's product and experimentation philosophy reflects Solana's builder culture. As Drift co-founder, Lu emphasizes rapid iteration: "Need for rapid experimentation in Web3, especially within the DeFi space, where achieving product-market fit is a dynamic challenge." Drift's Super Stake Sol launch exemplified this approach—deployed in three weeks, achieving 100,000 SOL staked in eight hours, with 60% from new users. This "quick testing of concepts with potential to either excel or fail" methodology leverages Solana's performance advantages for product innovation cycles impossible on slower blockchains.

Drift's growth trajectory validates Solana's infrastructure thesis. From less than $1 million TVL at 2023's start to $140 million by year-end (140x growth), reaching $300+ million TVL and $50 billion+ cumulative trading volume with 200,000+ users by 2025, the platform demonstrates sustainable business model viability. Lu's vision of building "the Robinhood of crypto" and an "on-chain financial institution" requires infrastructure capable of supporting sophisticated financial products at consumer scale—precisely Solana's design goal. The protocol's cross-margin system supporting 25+ assets as collateral, unified capital efficiency, and suite of products (perpetual futures, spot trading, borrow/lend, prediction markets) provides infrastructure that treasury companies leverage for yield strategies.

Lu articulated why issuers will choose Solana for tokenization: "When we're thinking about a future where every single asset will be tokenized, we don't think that an issuer is actually going to look at Ethereum. They're probably going to look at the chain that has the highest amount of activity, the highest amount of users, and the most seamless integration." This user-centric perspective—prioritizing adoption metrics over theoretical capabilities—reflects Solana's pragmatic approach. His confidence in Solana's long-term value proposition extends to Drift's positioning: stating that if Drift underperforms against SOL, investors should consider holding SOL longer-term signals conviction in the underlying platform's fundamental value over individual applications.

Akshay BD's community-first philosophy represents Solana Foundation's distinctive approach to ecosystem development. As Advisor (formerly CMO) and founder of Superteam DAO, BD emphasizes permissionless participation and distributed leadership. His November 2024 marketing memo articulated Solana's promise: "to allow anyone with an internet connection access to capital markets." This democratization narrative positions Solana as infrastructure for global financial inclusion rather than technology serving existing institutions. The "Internet Capital Markets and F.A.T. Protocol Engineering" framework emphasizes creating "an open, permissionless ecosystem where anyone with an internet connection can engage in economic activities."

The decentralization philosophy contrasts with traditional corporate structures. "Solana doesn't have four founders. It has thousands of co-founders, and that's what makes it successful," BD stated in 2023. The "principle of abstract subtraction" means the Foundation intentionally creates vacuums for community to fill rather than centralizing control. "Should we find folks in the community and empower them to build that ecosystem... You get an abundance of leadership," he explained. Rather than hiring regional heads, the Foundation empowers local community leaders through initiatives like Superteam—inspired by Ethereum Foundation's decentralized model but optimized for Solana's performance-focused culture.

The developer onboarding philosophy emphasizes earning rather than buying crypto. Superteam's platform facilitates bounties, grants, and jobs that enable developers to "earn your first crypto, not buy it"—reducing barriers for international talent in countries with restricted access to exchanges. With 3,000+ verified users on Superteam Earn and India emerging as the #1 source of new Solana developers (27% global share), this grassroots approach creates genuine skill development and ecosystem ownership. The Building out Loud hackathon for Indian developers and numerous Hacker Houses globally demonstrate sustained community investment.

The regulatory landscape shaping corporate crypto treasuries

The September 30, 2025 IRS guidance (Notices 2025-46 and 2025-49) removed a critical barrier for corporate crypto adoption. Providing the Fair Value Item (FVI) Exclusion Option for Corporate Alternative Minimum Tax (CAMT) allows companies to exclude unrealized gains and losses on crypto from CAMT calculations—removing billions in potential tax liability that would have penalized long-term holding strategies. For MicroStrategy, which holds 640,000+ BTC with $13.5 billion in unrealized gains, this interim guidance (applicable immediately for 2025 tax returns) proved transformative. The decision levels the playing field with traditional securities, where unrealized appreciation doesn't trigger minimum tax obligations.

FASB's Accounting Standards Update 2023-08, effective January 1, 2025, revolutionized crypto accounting treatment. The shift from cost-less-impairment modeling to fair value accounting eliminated the absurd situation where companies could only recognize decreases in crypto value (as impairments) but not increases until sale. Under the new standard, companies mark crypto assets to market each reporting period with changes flowing through net income. This introduces earnings volatility as prices fluctuate, but provides transparency and reflects economic reality. Balance sheet and income statement presentation requirements mandate separate disclosure of crypto assets with detailed reconciliations, cost basis methodology (FIFO, specific identification, average cost), and unit holdings.

The accounting clarity enables institutional participation previously constrained by financial reporting uncertainty. Public companies can now clearly communicate crypto strategy economics to investors, auditors can apply consistent standards, and analysts can evaluate treasury performance using familiar metrics. The interim and annual disclosure requirements (name of crypto asset, cost basis, fair value, number of units held, gain/loss reconciliations) create transparency that reduces information asymmetry and supports market efficiency. While mark-to-market accounting creates "income volatility where rising Bitcoin prices can inflate net income, while downturns cause it to plummet," this reflects actual economic exposure rather than masking reality through opaque impairment testing.

Solana faces unique regulatory challenges that distinguish its trajectory from Bitcoin and Ethereum. The SEC classified SOL as a security in June 2023 lawsuits against Binance and Coinbase, grouping it with 11 other tokens deemed securities under the Howey Test. Despite removing requirements for judges to rule definitively on SOL's status in July 2025 court filing amendments, the SEC maintains its securities classification. Jake Chervinsky, Chief Legal Officer at Variant Fund, emphasized: "There is no reason to think SEC has decided SOL is a non-security." The SEC faces "a high bar" to prove securities status under Howey, but ongoing litigation creates compliance complexity for corporate treasuries.

This regulatory uncertainty delays certain institutional products. Nine Solana ETF applications (VanEck, Galaxy, Bitwise, Canary, Grayscale, others) await SEC approval, with initial deadlines in October 2025 but approvals unlikely under current classification. The SEC asked issuers to amend S-1 filings and refile by July 2025, creating drawn-out review processes. VanEck argues SOL functions as a commodity like BTC and ETH, but the SEC disagrees. Until regulatory clarity emerges—likely requiring congressional action through comprehensive digital asset legislation or definitive court rulings—spot Solana ETFs remain pending, potentially pushing approvals into 2026.

The Solana Foundation maintains its position unambiguously: "SOL is not a security. SOL is the native token to the Solana blockchain, a robust, open-source, community-based software project." The Foundation emphasizes decentralization, utility-focused design, and absence of ongoing essential efforts by a central party—factors that distinguish commodities from securities under legal precedent. However, regulatory resolution requires SEC concession, congressional legislation, or judicial determination rather than Foundation assertion.

Corporate treasuries navigate this uncertainty through qualified custody solutions, transparent disclosure of regulatory risks in SEC filings, engagement with specialized legal counsel, and conservative accounting practices that assume potential adverse determinations. BitGo and other qualified custodians provide institutional-grade infrastructure (SOC-1/SOC-2 certified) that reduces operational risk even as regulatory questions persist. Companies disclose SOL's contested securities status in 10-Q and 10-K filings alongside standard crypto risk factors: market volatility, cybersecurity threats, liquidity constraints, network stability, and concentration risk.

The broader regulatory environment trends positive despite Solana-specific uncertainty. Trump administration appointments include Paul Atkins as SEC Chair (former commissioner known for balanced crypto approach) and David Sacks as "Crypto Czar" coordinating policy. SEC's "Project Crypto" initiative aims to modernize securities regulation for digital assets, while the GENIUS Act for stablecoin legislation and comprehensive market structure bills (FIT21) signal congressional willingness to provide clarity. Jason Urban's representation on CFTC's Global Markets Advisory Committee reflects traditional finance integration with crypto policymaking.

State-level strategic reserve discussions amplify legitimacy. Trump's executive order proposal for federal Bitcoin reserve, combined with Pennsylvania, Florida, and Texas considering state-level crypto reserves, normalizes corporate treasury adoption as prudent financial strategy rather than speculative risk-taking. International developments in Japan (tax advantages for crypto treasury exposure) and Middle East (UAE's Pulsar Group investing $300 million in Solmate treasury company) demonstrate global institutional acceptance.

What comes next for Solana treasuries and ecosystem growth

Corporate accumulation trajectories suggest substantial expansion from current 15.4 million SOL (2.5% of supply). DeFi Development Corp targets $1 billion in holdings, Galaxy Digital/Jump Crypto/Multicoin Capital previously reported seeking an additional $1 billion for joint treasury investments, and Accelerate Capital plans to raise $1.51 billion to acquire 7.32 million SOL in the largest private treasury initiative. Multiple companies hold multi-hundred-million-dollar undeployed capital commitments, while new entrants announce treasury plans near-daily. Analysts project corporate holdings reaching 3-5% of total SOL supply within 12-24 months—comparable to MicroStrategy's 3%+ of Bitcoin supply but achieved in compressed timeframe.

The locked token market dynamics create medium-term supply constraints. With 19.1 million SOL (3.13% of supply) locked until January 2028, early investor tokens vest on predetermined schedules. Corporate purchases of these locked tokens at 15% discounts accomplish two objectives: securing below-market prices with instant gains at unlock, and removing future sell pressure by concentrating tokens in long-term holders rather than early investors likely to distribute. As 2.1 million SOL unlock before 2025 ends, corporate buyers stand ready to absorb supply, maintaining price stability while continuing accumulation.

Infrastructure improvements provide technical catalysts for sustained growth. Alpenglow upgrade reducing finality from 12.8 seconds to 100-150 milliseconds eliminates the largest remaining performance gap versus centralized systems, enabling real-time settlement for financial applications. Firedancer's mainnet launch targeting 1 million+ transactions per second (15-20x current capacity) positions Solana for global-scale adoption. With Frankendancer (Firedancer's testnet version) already operating on 124 validators controlling 11% of stake as of July 2025, client diversity improves network resilience while demonstrating technical readiness.

ETF approval catalysts loom in near-term timeline. The REX-Osprey Solana Staking ETF reaching $160+ million AUM demonstrates institutional demand for regulated Solana exposure. Nine additional applications (VanEck JitoSOL ETF for liquid staking, Galaxy, Bitwise, Grayscale, others for spot exposure) await SEC decisions, with October 2025 initial deadlines and potential approvals throughout 2025-2026. Each approval creates dedicated investment vehicle for traditional finance portfolios, pension funds, wealth managers, and institutions restricted from direct crypto holdings. BlackRock's iShares Bitcoin Trust reached $50+ billion AUM in 11 months—the fastest-growing ETF in history—suggesting Solana ETFs could attract substantial capital once approved.

DeFi ecosystem maturation provides infrastructure for sophisticated treasury strategies. Total Value Locked reaching $13+ billion (from $4.63 billion twelve months prior) creates deep liquidity across lending, DEX, derivatives, and structured products. Kamino Finance ($2.1 billion TVL), Raydium ($1.8 billion), and Jupiter ($1.6 billion) provide institutional-grade protocols for treasury deployment. The 211.6% App Revenue Capture Ratio demonstrates protocols generate sustainable business models, encouraging continued development of sophisticated financial products. Integration with traditional finance (Franklin Templeton money market fund, Stripe payments, PayPal infrastructure) bridges crypto and mainstream finance.

Developer momentum creates compounding ecosystem value. With 7,625 new developers in 2024 (industry-leading growth) and sustained 2,500-3,000 monthly active developers, the builder pipeline ensures continuous application innovation. India's emergence as #1 source of new Solana talent (27% global share) diversifies geographic contribution beyond typical crypto centers. Electric Capital's validation of 83% year-over-year developer growth—while industry average declined 9%—confirms Solana captures disproportionate mindshare among builders choosing where to invest time and expertise.

Real-World Asset tokenization represents substantial growth vector. Solana's RWA market cap reached $390.6 million in Q2 2025 (+124.8% year-to-date), with Franklin Templeton's FOBXX fund and Ondo Finance's USDY demonstrating institutional appetite for on-chain traditional assets. Tokenized bonds, real estate, commodities, and credit instruments require blockchain infrastructure capable of handling traditional finance transaction volumes at costs that preserve economics—precisely Solana's competitive advantage. As Galaxy's tokenization of its own shares (first Nasdaq company with blockchain-tradable equity) demonstrates viability, other issuers will follow.

Consumer application adoption expands Solana's utility beyond DeFi. Solana Mobile shipped 150,000+ Seeker phones with integrated wallet and crypto-native experiences. Successful consumer applications in payments (via Solana Pay), social (various platforms), gaming, and NFTs (Magic Eden, Metaplex) demonstrate blockchain utility beyond financial speculation. As Cosmo Jiang emphasized, "none of this stuff is worth anything if no one uses it"—consumer adoption validates infrastructure investment and creates sustainable demand for network resources.

Consolidation pressures will reshape treasury company landscape. Kyle Samani indicated Forward Industries may acquire smaller DATs trading below net asset value, creating efficiency through scale and improved capital markets access. Companies lacking strategic differentiation, struggling with operational execution, or trading at persistent NAV discounts become acquisition targets for better-capitalized competitors. Market structure evolution likely produces 5-10 dominant treasury companies controlling majority of corporate holdings within 24 months, similar to MicroStrategy's dominance in Bitcoin treasuries.

International expansion diversifies geographic risk and regulatory exposure. DeFi Development Corp's franchise model pursuing DFDV UK (via Cykel AI acquisition) and five additional international subsidiaries demonstrates strategy. Solmate's $300 million UAE-backed raise positions Abu Dhabi as Middle East hub with bare metal validator infrastructure. These international entities navigate local regulations, access regional capital markets, and demonstrate Solana's global ecosystem reach beyond U.S.-centric crypto industry.

Competitive pressures intensify as other blockchains adopt treasury strategies. Avalanche Treasury Co. announced $675 million SPAC merger in October 2025, targeting $1 billion+ AVAX treasury with exclusive Avalanche Foundation relationship. Ethereum corporate holdings exceed 4 million ETH (~$18.3 billion), though focused on different use cases and treasury strategies. Solana's differentiation—superior yields, performance advantages, developer momentum—must sustain against well-funded competitors pursuing similar institutional adoption playbooks.

Risk factors temper unbridled optimism. Network stability improvements (16+ months continuous uptime) address historical concerns, but any future outage would undermine institutional confidence precisely when credibility matters most. Regulatory uncertainty specific to SOL's securities classification creates ongoing compliance complexity and delays certain institutional products. Market volatility affecting treasury valuations translates to stock price swings—DFDV's 700% volatility demonstrates extreme investor exposure. Operational challenges (validator management, DeFi strategy execution, cybersecurity) require sophisticated expertise that legacy companies pivoting to crypto strategy may lack.

The sustainability question centers on whether corporate treasuries represent structural shift or cyclical trend dependent on bull markets. Bears argue strategies require continuous capital raises at premium valuations—unsustainable during market downturns when NAV premiums compress or invert to discounts. Fair-weather treasury adoption could reverse rapidly if crypto enters extended bear market, forcing liquidations that cascade through ecosystem. Bulls counter that fundamental analysis methodology, staking yield generation, active treasury management, and ecosystem alignment create sustainable models independent of price speculation. Regulatory clarity, accounting standards, and tax relief provide institutional infrastructure supporting long-term viability regardless of short-term price volatility.

Expert consensus suggests cautious optimism with October 2025-Q1 2026 representing potential inflection point. Bernstein anticipates bull market potentially stretching into 2026 in "long and exhausting" grind versus explosive retail-driven rally. Goldman Sachs notes increased institutional exposure to crypto ETFs signals comfort with asset class. ARK Invest analysis finds corporate treasuries contribute moderately to BTC valuation in base case scenarios, with digital gold and institutional investment driving majority of value—suggesting treasury trend provides support but not primary price driver. Applied to Solana, this implies corporate accumulation creates positive baseline with upside from broader adoption, developer growth, and ecosystem expansion providing primary value drivers.

The Solana treasury movement represents more than financial engineering—it embodies strategic positioning for the blockchain economy's next phase. As traditional finance tokenizes assets, enterprises require performant infrastructure supporting global-scale transaction volumes at costs preserving economics. Solana's technical architecture (65,000 TPS, sub-second finality, fraction-of-a-cent fees), economic design (yield generation through staking), and ecosystem momentum (developer growth, DeFi TVL, consumer adoption) position it as infrastructure layer for "Internet Capital Markets." Corporate treasuries allocating billions to SOL make calculated bets that this vision materializes—and that early positioning provides asymmetric returns as the ecosystem flywheel accelerates from sustained momentum into exponential growth.

Tickets, But Programmable: How NFT Ticketing Is Quietly Rewriting Live Events

· 11 min read
Dora Noda
Software Engineer

The concert ticket in your digital wallet is on the verge of a massive upgrade. For decades, a ticket has been a static, disposable proof of purchase—a barcode to get you in the door, and nothing more. That model is evolving. The ticket is becoming a programmable, portable membership object, capable of unlocking experiences long after the show ends.

Done right, NFT tickets can drastically reduce fraud and scalping, create fairer access for superfans, and give organizers powerful new ways to reward loyalty—all without forcing fans to understand cryptocurrency. This isn't a theoretical future; real deployments are already live across major concerts, professional sports, aviation, and even Formula 1. The next wave of adoption hinges on seamless user experience, thoughtful policy design, and pragmatic technology choices.

The Old Ticket Stack Is Fraying

The traditional digital ticketing system is brittle and showing its age. Fans and organizers alike feel the pain points:

  • Fraud & Bots: Predatory bots snatch up inventory the moment it goes on sale, only to list it on secondary markets at hugely inflated prices, shutting out real fans. Fake or duplicate tickets plague these markets, leaving buyers with empty hands and lighter wallets.
  • Fragmented Systems: A fan’s history is scattered across dozens of vendor accounts. This makes simple actions like transferring a ticket to a friend a painful process and leaves organizers with no unified view of their most loyal attendees.
  • Disposable Artifacts: Once scanned, a QR code or PDF ticket becomes useless digital trash. It holds no ongoing value, tells no story, and offers no future utility.

Meanwhile, the market remains dominated by a primary seller facing ongoing antitrust scrutiny. State-by-state reform efforts are gaining steam, signaling that the status quo is neither beloved nor stable. The system is ripe for a change.

Tickets, But Programmable

NFT tickets aren’t about speculative digital art; they're about programmable access and ownership. By representing a ticket as a unique token on a blockchain, we fundamentally change what it can do:

  • Provable Ownership: Tickets live in a user's digital wallet, not just in a vendor's siloed database. This cryptographic proof of ownership dramatically reduces the risk of counterfeit tickets and enables secure, verifiable transfers between fans.
  • On-Chain Transfer Rules: Organizers can embed rules directly into the ticket’s smart contract. This could mean setting fair-transfer windows, capping resale prices at face value, or building in other logic that curbs predatory scalping and aligns incentives for everyone.
  • Loyalty That Compounds: A wallet containing tickets from past events becomes a portable and verifiable “fan graph.” Organizers can use this history to offer token-gated presales, seat upgrades, and exclusive perks that reward actual attendance, not just names on an email list.
  • Interoperability: “Sign in with wallet” can become a universal identity layer across different venues, artists, and partners. Fans get a unified experience without spreading their personal information across countless platforms.

This technology is already leaving the lab and proving its value in the wild.

Proof It Works: Live Deployments to Study

These are not “maybe someday” pilots; they are live systems processing real fan traffic and solving real problems today.

  • Token-Gated Presales at Scale: Ticketmaster has already launched NFT-gated ticket sales. In a pilot with the band Avenged Sevenfold, members of the "Deathbats Club" NFT community received exclusive early and discounted access to tickets, rewarding dedicated fans and filtering out bots.
  • Souvenir NFTs with Mainstream Brands: Live Nation and Ticketmaster have issued millions of virtual commemorative ticket NFTs, called “Live Stubs,” for major concerts and NFL games. This introduces fans to digital collectibles with virtually zero friction, turning a simple ticket into a lasting keepsake.
  • Aviation Goes On-Chain: Argentinian airline Flybondi began issuing its tickets as NFTs via the TravelX platform on the Algorand blockchain. This model enables flexible name changes and new commerce opportunities, proving the technology can work in an industry with strict operational, security, and identity requirements.
  • Global Sports & Premium Hospitality: Formula 1’s ticketing provider, Platinium Group, rolled out Polygon-based NFT tickets that come with perks persisting long after race day, such as hospitality access and future discounts. This transforms a one-time seat into an enduring membership touchpoint.

What NFT Tickets Unlock for Fans & Organizers

This shift creates a win-win scenario, offering tangible benefits to everyone in the ecosystem.

  • Fairer Access, Less Chaos: Token-gated presales can effectively reward verified attendees or fan club members, bypassing the captcha wars and bot-driven chaos of a general sale. The fact that the largest U.S. primary ticket seller now natively supports this proves its viability.
  • Transfers with Guardrails: Smart contracts allow organizers to define how and when tickets can be transferred, aligning with local laws and artist preferences. Secondary royalties are also possible through standards like EIP-2981, though enforcement depends on marketplace adoption. This gives organizers more control over the secondary market.
  • Portable Loyalty: Commemorative drops, like digital stubs or POAPs (Proof of Attendance Protocols), build a verifiable fan history that can actually be used across different venues, brands, and seasons. Your attendance record becomes a key to unlocking future rewards.
  • Interoperable User Experience: With custodial wallets and simple email or SMS logins, fans don’t need to manage complex seed phrases. Mass-market rollouts like Reddit’s millions of on-chain avatars—purchased with standard currency—prove this user-friendly pattern can scale.

Patterns We Recommend Shipping (In Order)

  1. Start with “Souvenir Mode.” The lowest-risk, highest-reward entry point is to issue free or bundled commemorative NFTs delivered after a ticket is scanned. This builds your on-chain fan graph and educates users without adding friction to the core job of getting them in the door. Live Nation’s “Live Stubs” is the perfect precedent.
  2. Layer in Token-Gated Presales for Superfans. Use the fan graph you’ve built. Let proven attendees or fan club members unlock prime seats or early access windows. This creates a clear reward for loyalty, reduces bot competition, and provides much cleaner economic data. The Avenged Sevenfold presale is the canonical case study here.
  3. Make the Ticket a Wallet. Treat each ticket as the root credential for delivering ongoing perks. This could be exclusive merchandise access, instant seat upgrades, food and beverage credits, or even artist AMAs—delivered before, during, and after the show. Formula 1’s membership-style approach points the way forward.
  4. Design the Secondary Market Thoughtfully. If you allow resale, establish clear rules that fit your policies and fan expectations. This could mean time-boxed transfer windows, fee caps, or face-value requirements. While standards like EIP-2981 signal royalty preferences, some marketplaces have made them optional. A direct, branded resale channel can be a wise move to ensure your rules are respected.

What Can Go Wrong (and How to Avoid It)

  • Custody & Platform Risk: Don’t strand your customers on a centralized island. When the crypto exchange FTX collapsed, some Coachella NFTs tied to the platform were stuck. If a technology partner disappears, fans shouldn’t lose their assets or benefits. Use portable wallets and ensure perks can be reissued or recognized elsewhere.
  • UX Over Crypto Jargon: The average fan should never have to see terms like “seed phrase,” “gas fees,” or “blockchain.” As Reddit demonstrated, gentle, custodial onboarding with familiar fiat checkouts is the key to scaling to millions of users. The complexity should remain under the hood.
  • Unrealistic Royalty Expectations: “Automatic royalties forever” is not guaranteed across all secondary markets. If resale economics are a key part of your strategy, consider launching your own resale venue or enforcing your rules through allowlists and clear branding terms with partners.
  • The Policy Patchwork: Ticketing laws are actively being revised across the U.S., with a focus on refunds, price transparency, anti-bot measures, and transfer rights. Your system must be architected to allow for configuration by region, and your policies must be communicated explicitly to fans.

Architecture Blueprint (Pragmatic, Chain-Agnostic)

  • Chain Selection: Favor low-fee, high-throughput networks already used in consumer contexts, such as Polygon, Flow, or Algorand. Mainstream deployments have gravitated toward these chains for their low cost, speed, and better environmental footprint.
  • Token Standard: Use ERC-721 for unique, assigned seats and ERC-1155 for general admission sections or tiers. Add EIP-2981 metadata if you plan to support royalties within compliant marketplaces.
  • Wallet UX: Default to custodial wallets that use email/SMS login or passkeys for authentication. Provide an easy, optional path for users to “export to self-custody.” Pre-mint tickets to wallets or use a mint-on-claim model to reduce waste.
  • Gating & Scanning: Use fast, off-chain allowlists or Merkle proofs at the gate for quick entry. Verify ownership with time-limited digital signatures to prevent simple QR code screenshotting. After a successful scan, delight the fan by airdropping perks like POAPs, collectibles, or coupons.
  • Secondary Market & Compliance: If you enable resale, route it through a branded marketplace or a partner that respects your rules. Parameterize transferability settings to comply with different state and local laws, and pair on-chain rules with clear, human-readable refund and transfer policies.

Metrics That Actually Matter

Move beyond vanity metrics and focus on what truly indicates success.

  • Access Fairness: Measure the presale conversion rate for verified fans versus the general public. Track the percentage of tickets that are resold within a face-value price band.
  • Operational Reliability: Monitor gate throughput, scan failure rates, and the load on your customer support team. A successful implementation should reduce friction, not create it.
  • Fan Compounding: Track repeat attendance among NFT holders, measure the redemption rates for digital perks, and analyze the revenue uplift from token-gated campaigns.
  • Unit Economics: Analyze your fee take-rate net of fraud-related chargebacks. Calculate the blended customer acquisition cost and lifetime value when wallet data is used to inform marketing and targeting.

Case Study Nuggets to Borrow

  • Use NFTs as a "Thank You," Not a Hurdle: Live Nation’s commemoratives cost fans nothing and teach them the flow. Start there before you touch access control.
  • Reward Real Attendance: Token-gated presales that reference past check-ins feel fair and build loyalty.
  • Design Perks with a Shelf-Life: Formula 1’s persistent benefits, like hospitality access and future discounts, extend the ticket’s utility far beyond the event itself.
  • Avoid a Single Point of Failure: The Coachella-FTX saga underscores why portability matters. Own the fan relationship; let users take their assets with them when they want.

The Policy Reality (Briefly)

The regulatory landscape is heating up. Federal and state attention on ticketing is rising, with transparency, refunds, anti-bot rules, and transferability becoming hot-button issues. Your smart contracts and user experience must be flexible enough to adapt on a jurisdiction-by-jurisdiction basis. The entire market structure is in flux, and building on portable, open rails is the safest long-term bet.

A Practical Rollout Plan (90 Days)

Phase 1: Collectibles (Weeks 1-4)

  • Implement free commemorative NFTs for all attendees, claimed via email after the event. Measure your claim rate and wallet creation stats.

Phase 2: Fan-First Presales (Weeks 5-8)

  • Pilot a small, token-gated presale for verified past attendees. Communicate the process clearly and keep a traditional queue open as a backup.

Phase 3: Perks & Partnerships (Weeks 9-10)

  • Turn the ticket into a perks wallet. Link it to merchandise unlocks, partner discounts, or exclusive content drops for specific seat sections or cities.

Phase 4: Controlled Resale (Weeks 11-12)

  • Launch a branded resale page with rules aligned to local law. Test face-value caps and transfer windows on a small scale before rolling out nationally.

Closing Thought

The paper stub was once a cherished souvenir of a great night out. NFT tickets can be that—and so much more. When access is programmable, loyalty becomes a composable asset that travels with a fan across venues, artists, and seasons. Fans get fairer access and better perks; organizers get durable relationships and cleaner economics. And when the crypto complexity stays under the hood where it belongs, everybody wins.