/// SYS.INIT > INCA_ULTRACHAIN v0.1.0
Presale Live — Genesis Round

THE FIRST
FULL-STACK
EVM BLOCKCHAIN

Layer 1 • AlephBFT Consensus • Chain ID 42069

Inca Ultrachain is a Layer 1 EVM blockchain with a native on-chain database, AI agent infrastructure, and protocol-level application primitives. One contract. Full-stack dApp. Zero external dependencies.

Enter Presale [ Explore Tech ]
app.solpp

                        
/// 01
Building dApps
is Broken

Today's EVM ecosystem forces developers to juggle 5+ disconnected tools to ship a single application. We built the fix at the protocol level.

[01]

5 Repos, 1 dApp

Solidity + React + The Graph + Infura + IPFS. Each with its own pipeline, versioning, and failure modes. Maintenance hell.

[02]

No Query Capability

Solidity mappings can't iterate. Want to list users? Deploy a subgraph. Wait 15 minutes. Pay monthly hosting. Hope it doesn't break.

[03]

AI Agents Have No Home

Agents need memory, identity, cheap state access. Current chains offer none of this natively. Agents are afterthoughts, not citizens.

[04]

Centralized Dependencies

Your "decentralized" app runs on Vercel, Alchemy, and AWS. One outage and your dApp goes dark. True decentralization is a myth.

/// 02
Protocol-Level
Primitives

Everything a full-stack dApp needs — built into the chain. No middleware. No external services. No compromises.

SuperChainDB

Native On-Chain Database

Structured tables with typed schemas, secondary indexes, range scans, cursor pagination. Protocol-level. No subgraphs.

Operational
Precompiles

7 DB Precompiles

CREATE_TABLE, GET, PUT, DEL, EXISTS, INDEX_SCAN, TABLE_INFO. Native EVM precompiles at 10-100x lower gas than SSTORE.

Operational
RowCodec v1

Deterministic Encoding

Byte-identical encoding across all nodes. 12 column types. Max 2048 bytes/row. Big-endian canonical. Verifiable state.

Operational
AppRegistry

On-Chain App Directory

Genesis system contract for dApp discovery. Register, search, categorize, resolve by name. Permissionless. On-chain.

Operational
Custom RPC

Extended RPC Layer

superDb_* and super_* namespaces. Direct database reads and app resolution without EVM transactions. Cheap. Fast.

Operational
Solidity++

Extended Solidity

Native table, theme, ui route constructs. 1 file = backend + database + frontend. Compiles to standard EVM bytecode.

In Development
/// 03
Solidity++
The Full-Stack Language

Solidity was designed for token logic. Solidity++ extends it into a true application language — with native syntax for databases, themes, and UI routes. One file. Backend + Database + Frontend. Zero external tooling.

table syntax
Traditional Solidity // Need mapping + array + event + subgraph mapping(uint64 => Project) projects; mapping(address => uint64[]) byCreator; uint64[] allProjectIds; // Can't iterate, can't query, can't paginate // Need The Graph subgraph ($50/mo hosting) ──────────────────────────────────────── Solidity++ table Projects { uint64 id primary; address creator index; string title; uint256 goal; uint256 pledged; uint64 deadline index; } // Iterate, query, paginate — natively!
ui route syntax
// Declarative UI — Flutter-like widgets // Compiled to binary UI-IR, NOT executed on-chain ui route "/" returns (Widget) { Cursor live = db.Projects .where(status == LIVE) .orderBy(deadline, ASC) .limit(10); return Page( title: "Spark Launchpad", body: Column([ Card( title: "Live Projects", child: Table( data: live, columns: [ Col("Title", col.title), Col("Goal", fmt.native(col.goal)), ] ) ) ]) ); }
theme syntax
// Built-in design system per contract // Colors, fonts, spacing, shadows theme DeFiFaro { Color primary = #F8A233; Color bg = #0B0F14; Color surface = #111827; Color text = #E5E7EB; Color success = #22C55E; Color danger = #EF4444; Font title = Font("Inter", 18, 700); Font body = Font("Inter", 14, 500); Radius card = 14; Shadow cardShadow = Shadow(0, 10, 30, 0.20); } theme AppTheme = DeFiFaro;

> table: Native On-Chain Database

In traditional Solidity, you use mappings — flat key-value stores that can’t iterate, can’t query by secondary fields, and can’t paginate. To list your users or filter by status, you need The Graph — an external service with its own infrastructure, deployment pipeline, and monthly costs.

Solidity++ introduces the table keyword. Define typed columns, mark a primary key, add indexes on any sortable field. The compiler generates precompile wrappers that store data in the protocol’s native table engine — not in EVM storage slots.

Primary Key

Exactly one field marked primary. Used for direct reads (DB_GET) and writes (DB_PUT).

Index

Fields marked index enable range scans, ordering, and filtering — natively, at protocol level.

Gas Savings

DB_PUT costs ~2,000 gas vs 20,000+ gas for SSTORE. 10x cheaper writes.

> ui route: Declarative Frontend

Today, every dApp needs a separate React/Next.js frontend — hosted on Vercel, Netlify, or IPFS. Your “decentralized” app depends on centralized servers.

Solidity++ introduces ui route — a Flutter-inspired widget tree that compiles to a compact binary format (UI-IR) embedded directly in the contract bytecode. It’s NOT executed on-chain. A standard SuperClient reads the UI definition and renders it.

12 Built-in Widgets

Page, Column, Row, Card, Text, Stat, InputUint, InputText, Button, Table, Col, Spacer/Divider.

Data Bindings

Use tx.*, view.*, db.*, input.*, nav.*, fmt.* to bind UI to contract logic.

Zero Hosting

No server. No IPFS. The UI lives in the contract bytecode. Truly decentralized applications.

> theme: Built-in Design System

Every dApp needs a consistent look. Instead of CSS files scattered across repos, Solidity++ lets you define your entire design system inside the contract.

Colors, fonts, spacing, border radius, shadows — all defined with typed tokens. The theme is embedded in the contract bytecode and used by the SuperClient to render a polished, consistent UI.

Typed Tokens

Color, Font, Spacing, Radius, Shadow — all compile-time validated. No typos. No missing values.

One Source of Truth

Theme is embedded in bytecode alongside UI-IR. No separate CSS deployment pipeline.

Deterministic Rendering

Every SuperClient renders the same visual output. Same tokens, same result. Verified on-chain.

/// 04
SuperChainDB
Protocol-Level Storage

Not mappings. Not events. A real database built into the blockchain protocol — with tables, typed schemas, secondary indexes, range scans, and cursor pagination. Try it below.

superchain-db console
// SuperChainDB v1.0 — Interactive Demo
// Select a command and click RUN to execute
 
superdb>

Gas Cost Comparison

EVM SSTORE
20,000 gas
DB_PUT
~2,000 gas
EVM SLOAD
2,100 gas
DB_GET
~500 gas
10x Cheaper Storage Operations
0x1100 CREATE_TABLE Define schema & indexes
0x1101 DB_GET Read row by primary key
0x1102 DB_PUT Insert or update row
0x1103 DB_DEL Delete row & index refs
0x1104 DB_EXISTS Check if row exists
0x1105 INDEX_SCAN Range scan with pagination
0x1106 TABLE_INFO Schema & statistics

How It Works

Data is stored in a separate Table State domain, not in EVM storage slots. This means: no state trie bloat, predictable gas costs, and bounded query execution. Every row is encoded with RowCodec v1 — deterministic, byte-identical across all nodes.

No More Subgraphs

Want to list users by balance? Just call INDEX_SCAN. No deploying a subgraph. No waiting 15 minutes for indexing. No $50/month hosting. It's built into the protocol.

/// 05
Views &
SuperClient

A platform where you enter any contract address and it renders the app — no frontend repo, no hosting, no build pipeline. The contract IS the application.

superclient.incaultrachain.com
Resolving contract...
Spark Launchpad LIVE ON-CHAIN
Create & Fund Projects
Launch crowdfunding campaigns. Backers fund with native coin.
Live Projects
ID Title Goal Pledged
1 DeFi Optimizer 50 ETH 32 ETH Open
2 NFT Marketplace 100 ETH 87 ETH Open
3 DAO Toolkit 25 ETH 25 ETH Open

> How SuperClient Works

The SuperClient is a universal dApp renderer. It reads the UI-IR (compact binary widget tree), Schema (table definitions), and Theme (design tokens) — all embedded in the contract bytecode — and renders a fully interactive application.

Step 1: Resolve

User enters a contract address or AppID. SuperClient calls super_getAppManifest to resolve the app.

Step 2: Extract

SuperClient reads UI-IR, Schema, and Theme from the bytecode trailer (SSOL magic bytes). No external servers.

Step 3: Render

The widget tree is rendered with the contract's theme. Data bindings connect to view functions and DB queries.

Step 4: Interact

User actions (buttons, forms) become blockchain transactions via tx.* bindings. Wallet signs. Protocol executes.

Frontend
0 Repos
Hosting
$0/mo
Indexer
None
Result
Full dApp
/// 06
From One File
To Full dApp

Write a single .solpp file. The SuperSolc compiler transforms it into EVM bytecode with embedded metadata sections. Deploy once. App is live forever.

.solpp File

Backend + DB + UI
in one file

▸▸▸

SuperSolc

Compiles table, theme,
ui route constructs

▸▸▸

EVM Bytecode

Standard EVM +
SSOL trailer

▸▸▸

On-Chain

Deployed forever.
Fully decentralized.

EVM Bytecode
Backend Logic
Schema Section
Table Definitions
UI-IR Section
Widget Trees
Theme Section
Design Tokens
/// 07
Traditional EVM
vs Inca Ultrachain

See how many tools, repos, and services you can eliminate.

Traditional EVM Stack

Solidity Contract
Backend logic only. No DB, no UI.
React / Next.js
Frontend repo. Hosted on Vercel/Netlify.
The Graph (Subgraph)
Indexer. $50+/mo. 15min sync delay.
IPFS / Arweave
File storage. Pinning services.
Alchemy / Infura
RPC provider. $49+/mo. Rate limits.
VS

Inca Ultrachain

One .solpp File
Backend + Database + Frontend. Done.
Native DB (table)
Built-in. Indexed. Paginated. Free.
On-Chain UI (ui route)
No hosting. Lives in bytecode.
Built-in Theme (theme)
Design system in-contract.
SuperClient Renderer
Paste address. App renders. Free.
5+
Repos (Traditional)
1
File (Inca Ultrachain)
$100+/mo
Infra Cost (Traditional)
$0/mo
Infra Cost (Ultrachain)
/// 03
First-Class AI
Agent Citizens

The first L1 where AI agents have native identity, persistent on-chain memory, scoped permissions, and economic coordination. Built into the protocol. Not bolted on.

════════════════════════════════════════════════

SuperChainDB gives agents what no other chain can: structured tables for memory at precompile-level gas costs. Agents that remember, learn, and earn — all verifiable on-chain.

agent.config.ts
// Deploy AI agent on Inca Ultrachain import { SuperChainAgent } from '@inca/agent-sdk'; const agent = new SuperChainAgent({ name: 'defi-optimizer', capabilities: ['defi', 'trading'], stake: '100 INCA', llm: { model: 'gpt-4' }, }); // On-chain registration + memory tables await agent.register(); // Persistent memory across sessions await agent.remember('market_trend', 'bullish'); const trend = await agent.recall('market_trend'); // Execute on-chain with spending limits await agent.execute({ target: '0xDeFi...', method: 'deposit', value: '10 INCA' });

Agent Registry

On-chain identity: name, capabilities, model hash, reputation, staked collateral. Discoverable by any dApp or user.

On-Chain Memory

Persistent structured memory via SuperChainDB. Agents remember across sessions. Verifiable. Auditable. 10-100x cheaper.

Smart Agent Wallets

Smart wallet per agent: spending limits, allowed contracts, daily budgets, emergency freeze. Owner controls, agent executes.

Task Marketplace

Post tasks with rewards. Agents bid, execute, get paid. Built-in reputation scoring and dispute resolution.

Scoped Delegation

Delegate to agents with fine-grained permissions: contracts, tables, spending caps, expiration. Revoke anytime.

Agent-to-Agent Comms

Shared on-chain message tables. Topic-based messaging. Task delegation between agents. Collaborative workflows.

/// 04
Architecture Stack

Five layers. Every one extends EVM with native primitives that don't exist on any other chain.

SDK Layer
TypeScript SDK Python SDK Agent Templates CLI Tools
RPC Layer
eth_* superDb_* super_* agent_*
Contract Layer
AppRegistry 0x5570 AgentRegistry 0x5580 TaskMarket 0x5590 AgentWallet
Precompile Layer
DB_CREATE 0x1100 DB_GET 0x1101 DB_PUT 0x1102 DB_DEL 0x1103 DB_EXISTS 0x1104 DB_SCAN 0x1105 DB_INFO 0x1106 AGENT_* 0x1200+
Consensus
AlephBFT Proof of Stake Substrate Frontier EVM
/// 05
One File.
Full-Stack dApp.
Launchpad.solpp
// Full dApp in a single file pragma solidity-plus-plus ^1.0.0; contract LaunchpadApp { // Native database tables table Projects { uint64 id primary; address creator index; string title; uint256 goal; uint256 pledged; uint64 deadline index; } // Declarative UI routes ui route "/" returns (Widget) { return Page( title: "Launchpad", body: Table( data: db.Projects .where(deadline > now) .limit(10), columns: [ Col("Title", col.title), Col("Goal", fmt.native(col.goal)), ] ) ); } // Backend logic function createProject( string title, uint256 goal ) external { db.Projects.put(nextId++, { creator: msg.sender, title: title, goal: goal, deadline: block.timestamp + 30 days }); } }

Backend + Database + Frontend

Traditional EVM: 5 repos, ~2000 lines, monthly fees, external indexers. Inca Ultrachain: 1 file, ~100 lines, zero dependencies.

Solidity++ extends Solidity with native constructs for structured data, declarative UI, and theme systems. Compiles to EVM bytecode with embedded metadata sections.

  • table Define structured data with typed columns and indexes
  • ui route Declare UI screens with data-bound widgets
  • theme Colors, fonts, spacing configured in-contract
  • db.* Query, insert, update, delete via native precompiles
  • fmt.* Format tokens, timestamps, addresses for display
  • nav.* In-app navigation between routes
/// 06
How We Stack Up
Feature Traditional EVM AI Chains Inca Ultrachain
On-Chain Database Mappings (no iteration) None Native tables, indexes, scans
AI Agent Memory Off-chain (Redis) Off-chain On-chain structured tables
Agent Identity EOA only Custom protocols Native registry + smart wallets
dApp Discovery Off-chain dirs Manual config On-chain AppRegistry
DB Write Cost 20,000+ gas N/A ~2,000 gas (precompile)
Full-Stack dApp 5+ repos, 5+ tools Not supported 1 file (Solidity++)
Agent Coordination None native Off-chain On-chain task marketplace
/// 07
Roadmap

Real progress, not promises. Core infrastructure is built and tested.

Phase 0 // Q1 2026

EVM Integration

Frontier EVM, pallet-evm, pallet-ethereum, BaseFee, ChainId 42069, Hardhat test suite. Full Ethereum RPC compatibility.

Completed
Phase 1 // Q1 2026

Native DB Engine

pallet-table-state: tables, rows, indexes, range scans. 7 DB precompiles. RowCodec v1 deterministic encoding. 80+ tests.

Completed
Phase 2 // Q1 2026

RPC + AppRegistry

superDb and super RPC namespaces. AppRegistry system contract at genesis. Discovery, categories, search, pagination.

Completed
Phase 3 // Q2 2026

AI Agent Infra

AgentRegistry, AgentWallet, TaskMarketplace contracts. Delegation precompiles. On-chain memory. Agent RPC namespace.

In Progress
Phase 4 // Q3 2026

SuperSolc Compiler

solc 0.8.28 fork: table, theme, ui route syntax. AST extensions, semantic analysis, precompile codegen, UI-IR compiler.

Upcoming
Phase 5 // Q4 2026

Testnet + SDK

Public multi-validator testnet. TypeScript + Python agent SDKs. Templates. SuperClient renderer. Wallet integrations.

Upcoming
/// 08
Join The
Genesis

Early supporters get INCA tokens at the lowest price. Funds go directly to protocol development. No VC gatekeeping.

Testnet is Ready

This is not a whitepaper project. The testnet is fully operational — with EVM integration, native database engine (SuperChainDB), 7 DB precompiles, custom RPC endpoints, AppRegistry, and 80+ automated tests passing. The core infrastructure is built and battle-tested.

Fund the Mainnet

The presale funds go directly to mainnet development: multi-validator infrastructure, AI agent layer, SuperSolc compiler, public testnet, SDKs, and security audits. No VCs, no middlemen — community-funded from day one. Every token sold accelerates the launch.

Lowest Price Ever

Genesis round participants get INCA tokens at the lowest price before mainnet launch. Once the mainnet goes live, the token will be listed at a significantly higher price. This is your chance to secure early allocation at a fraction of the launch price.

Development Progress

Phase 0-2
Core Infra
✓ Completed
Testnet
Operational
✓ Live
Presale
Genesis Round
● Active Now

Token Details

TokenINCA
NetworkInca Ultrachain (EVM)
Chain ID42069
ConsensusAlephBFT (PoS)
UtilityGas + Staking + Agent Staking + Gov
StatusCore Infra Built & Tested

Presale is Live

Be part of the first AI-native EVM blockchain. Early access. Best allocation. Validator priority.

Enter Presale Allocation is limited
/// QUICK SUMMARY
Inca Ultrachain
in 60 Seconds
Inca Ultrachain is a Layer 1 EVM blockchain that eliminates the need for external tools to build decentralized applications. Instead of juggling 5+ repos (Solidity + React + The Graph + Infura + IPFS), you write one file that contains backend, database, and frontend — all deployed on-chain.
The Problem We Solve

Today, building a dApp on Ethereum or any EVM chain requires 5+ disconnected tools, monthly hosting fees, external indexers that take 15 minutes to sync, and centralized infrastructure that defeats the purpose of decentralization. AI agents have no native home — no identity, no memory, no cheap state access.

What We Built
Native Database

Real tables with schemas, indexes, range scans — built into the protocol. No subgraphs. 10x cheaper than SSTORE.

Solidity++

Extended Solidity with native table, ui route, and theme syntax. 1 file = full-stack dApp.

On-Chain UI

Declarative frontend embedded in bytecode. No hosting, no servers. SuperClient renders any contract.

AI Agent Layer

Native identity, on-chain memory, smart wallets, task marketplace. Agents as first-class citizens.

════════════════════════════════════════
Why the Presale?

The testnet is already operational — EVM integration, 7 DB precompiles, custom RPC endpoints, AppRegistry, and 80+ passing tests. This is not a whitepaper promise. The presale funds the mainnet launch: multi-validator infrastructure, AI agent contracts, SuperSolc compiler, security audits, and SDKs. Genesis round participants get INCA tokens at the lowest price before launch — a fraction of what it will cost at listing.

Chain

Layer 1 EVM • AlephBFT PoS • Chain ID 42069 • <1s Finality

Token

INCA • Gas + Staking + Agent Staking + Governance