๐Ÿ› ๏ธ ORIGIN BUILDERS

DEVELOPER GUIDE

Build on the Origin Layer โ€” The Honor-Bound Bitcoin L2

Create games, DeFi apps, social platforms, and more.
Every action anchored in Bitcoin. Every TX verified with honor.

QUICK START

Start Building in Minutes

01

Every Action = 1 TX

Each user action creates a Truth Anchor (TX L2) that can be verified forever.

02

Signature Required

Every TX that moves KRAY must be signed by the user. Honor-bound.

03

TX = Source of Truth

Counters and balances are derived from TXs. Never increment directly.

04

Sacred Exits

Users can always withdraw to Bitcoin L1. This is a right, not a feature.

1 KRAY

One Fee. Every Transaction.

Simple, predictable, and fair. No variable gas, no surprises.

๐Ÿ‘ค
User
pays 1 KRAY
๐Ÿ›๏ธ
Treasury bc1p5u00...k3nhv

What costs 1 KRAY?

Click any category to see all transactions

Transfer KRAY1 KRAY
Bridge Deposit (L1โ†’L2)1 KRAY
Bridge Withdraw (L2โ†’L1)1 KRAY
Mint NFT1 KRAY
Transfer NFT1 KRAY
List on Marketplace1 KRAY
Unlist from Market1 KRAY
Buy NFT1 KRAY
Bridge NFT to L11 KRAY
Generate AI Image1 KRAY
Generate AI Avatar1 KRAY
AI Chat Message1 KRAY
Swap Tokens1 KRAY
Add Liquidity1 KRAY
Remove Liquidity1 KRAY
Stake KRAY1 KRAY
Unstake KRAY1 KRAY
Claim Rewards1 KRAY
Like Post1 KRAY
Repost / Share1 KRAY
Comment1 KRAY
Follow User1 KRAY
Send Tip1 KRAY
Game Action1 KRAY
Place Bet1 KRAY
Claim Reward1 KRAY
Vote in DAO1 KRAY
Join Tournament1 KRAY
FOR DEVELOPERS

Add Your Own Fee

Network fee is separate. Charge whatever you want for your service!

User Pays 11 KRAY
=
Network 1 KRAY โ†’ Treasury
+
Your Fee 10 KRAY โ†’ Your Wallet
0 KRAY 50 KRAY 100 KRAY

Real Services on L2 KRAY:

๐ŸŽจ AI Image Gen 1 + 10 = 11
๐Ÿช NFT Sale (2%) 1 + 2% = varies
๐ŸŽฎ Game Match 1 + 5 = 6
๐Ÿค– AI Avatar 1 + 5 = 6
๐Ÿ”Œ WALLET INTEGRATION

Connect KRAY Wallet in 5 Minutes


// 1. Check if installed
if (typeof window.krayWallet !== 'undefined') {
    console.log('KRAY Wallet detected!');
}

// 2. Connect
async function connectWallet() {
    const result = await window.krayWallet.requestAccounts();
    if (result.success) {
        console.log('Connected:', result.address);
    }
}

// 3. Get data
const balance = await window.krayWallet.getBalance();
const inscriptions = await window.krayWallet.getInscriptions();
const runes = await window.krayWallet.getRunes();
            
๐Ÿ“š COMPLETE API REFERENCE

window.krayWallet - All Methods

Copy-paste examples for everything your app needs.

๐Ÿ”— Connection & Identity

requestAccounts() RECOMMENDED

Connect wallet with automatic popup. Use this first!

const result = await window.krayWallet.requestAccounts();
if (result.success) {
    console.log('Address:', result.address);
    console.log('Public Key:', result.publicKey);
}
connect()

Silent connect (no popup if already unlocked)

const result = await window.krayWallet.connect();
// Returns { success: true, address, publicKey, balance }
getAccounts()

Get all accounts (array)

const accounts = await window.krayWallet.getAccounts();
// Returns ['bc1q...']
getPublicKey()

Get public key (hex)

const pubKey = await window.krayWallet.getPublicKey();
// Returns '02abc123...'
getExtensionInfo()

Verify it's genuine KRAY Wallet

const info = window.krayWallet.getExtensionInfo();
// { signature, version, build, isKrayWallet: true }

๐Ÿ’ฐ Assets & Balance

getBalance()

Get BTC balance in satoshis

const balance = await window.krayWallet.getBalance();
// Returns 150000 (sats)
getInscriptions(offset?, limit?)

Get user's Ordinals/NFTs

const { total, list } = await window.krayWallet.getInscriptions();
list.forEach(nft => {
    console.log('ID:', nft.inscriptionId);
    console.log('Preview:', nft.preview);
    console.log('UTXO:', nft.utxo);
});
getRunes()

Get user's Runes tokens

const { runes } = await window.krayWallet.getRunes();
runes.forEach(rune => {
    console.log('Name:', rune.spacedRune);
    console.log('Amount:', rune.amount);
    console.log('Symbol:', rune.symbol);
});
getFullWalletData() RECOMMENDED

Get EVERYTHING at once: balance + ordinals + runes

const data = await window.krayWallet.getFullWalletData();
console.log('Address:', data.address);
console.log('Balance:', data.balance);
console.log('NFTs:', data.inscriptions.length);
console.log('Runes:', data.runes.length);

โœ๏ธ Signing (L1 Bitcoin)

signMessage(message, password?)

Sign a message with user's private key

const { signature, address } = await window.krayWallet.signMessage('Hello World');
// Use signature for authentication/verification
signMessageWithConfirmation(message)

Sign with ALWAYS popup (for important actions like likes)

// Always shows popup, even if wallet unlocked
const { signature } = await window.krayWallet.signMessageWithConfirmation('like:post123');

โšก Lightning Network

sendPayment(invoice)

Pay Lightning invoice

const result = await window.krayWallet.sendPayment('lnbc100n1...');
if (result.success) {
    console.log('Paid! Preimage:', result.preimage);
}

โšก L2 KRAY API

Fast, cheap transactions on KRAY Layer 2. Every TX costs 1 KRAY.

GET /api/l2/account/:address/balance

Get L2 KRAY balance for an address

const response = await fetch('https://kray.space/l2/account/bc1q.../balance');
const data = await response.json();
console.log('L2 Balance:', data.balance, 'KRAY');
POST /api/l2/transaction/send CORE

Send L2 transaction (requires signature from KRAY Wallet)

// 1. Get user's signature
const message = JSON.stringify({
    from: userAddress,
    to: recipientAddress,
    amount: 100,
    nonce: Date.now()
});
const { signature } = await window.krayWallet.signMessage(message);

// 2. Send to L2
const response = await fetch('https://kray.space/l2/transaction/send', {
    method: 'POST',
    headers: { 'Content-Type': 'application/json' },
    body: JSON.stringify({
        from_account: userAddress,
        to_account: recipientAddress,
        amount: 100,
        signature: signature,
        nonce: Date.now(),
        tx_type: 'transfer'
    })
});
const result = await response.json();
console.log('TX Hash:', result.tx_hash);
GET /api/l2/transaction/:txid

Get transaction details

const response = await fetch('https://kray.space/l2/transaction/tx_abc123');
const tx = await response.json();
console.log('Status:', tx.status);
console.log('Amount:', tx.amount, 'KRAY');
GET /api/l2/account/:address/history

Get transaction history for account

const response = await fetch('https://kray.space/l2/account/bc1q.../history');
const { transactions } = await response.json();
transactions.forEach(tx => {
    console.log(tx.tx_hash, tx.amount, tx.memo);
});

๐Ÿ”€ Hybrid Architecture: L1 + L2

Use Bitcoin L1 for permanence and authenticity, L2 KRAY for fast interactions.

โ›“๏ธ L1 Bitcoin (Ordinals/Runes)

  • Permanent NFTs (Inscription ID)
  • Runes tokens
  • Proof of authenticity
  • Slow but immutable
โ†•๏ธ Bridge

โšก L2 KRAY

  • Game actions
  • Social interactions (likes, comments)
  • Trading & DeFi
  • Fast & cheap (1 KRAY/TX)

๐Ÿ“ฑ Example: Social Inscription

Posts are Ordinals inscribed on L1 Bitcoin. Likes and comments are L2 transactions.

// User creates a post (L1 Ordinal)
const inscriptionId = 'abc123i0';  // Inscribed on Bitcoin

// User likes a post (L2 transfer - costs 1 KRAY)
const like = await sendL2Transaction({
    from: userAddress,
    to: 'treasury',
    amount: 1,
    tx_type: 'transfer',
    data: { action: 'social_like', inscription_id: inscriptionId }
});

// Post is permanent on L1, interactions tracked on L2

๐Ÿ” L1 Bitcoin (Read-Only)

Read user's Ordinals and Runes for hybrid apps.

getInscriptions()

Get user's Ordinals (NFTs inscribed on Bitcoin)

const { total, list } = await window.krayWallet.getInscriptions();
list.forEach(ordinal => {
    console.log('Inscription ID:', ordinal.inscriptionId);
    console.log('Content Type:', ordinal.contentType);
    console.log('Preview:', ordinal.preview);
});
getRunes()

Get user's Runes tokens

const { runes } = await window.krayWallet.getRunes();
runes.forEach(rune => {
    console.log('Rune:', rune.spacedRune);
    console.log('Amount:', rune.amount);
    console.log('Symbol:', rune.symbol);
});

๐Ÿš€ Advanced Features

๐Ÿ”

Marketplace, DeFi & More

Building a marketplace, DeFi protocol, or advanced Bitcoin application?

We offer extended API access for approved partners including:

  • Transaction signing & broadcasting
  • Atomic swap integration
  • PSBT construction & validation
  • Runes & Ordinals trading
  • Custom DeFi integrations
Apply for Partner Access โ†’

๐ŸŒ Network

getNetwork()

Get current network (livenet/testnet)

const network = window.krayWallet.getNetwork();
// Returns 'livenet'
getActiveNetwork()

Get active layer (mainnet or kray-l2)

const layer = await window.krayWallet.getActiveNetwork();
// Returns 'mainnet' or 'kray-l2'

๐Ÿ’ฌ E2E Encrypted Chat

Secure end-to-end encrypted messaging between users.

activateChatSession()

Start encrypted chat session (opens popup for password)

const { publicKey } = await window.krayWallet.activateChatSession();
// Share publicKey with your backend for others to message you
encryptChatMessage(message, theirPublicKey)

Encrypt message for recipient

const encrypted = await window.krayWallet.encryptChatMessage(
    'Hello!',
    recipientPublicKey
);
// Send encrypted to your backend
decryptChatMessage(encrypted, theirPublicKey)

Decrypt message from sender

const message = await window.krayWallet.decryptChatMessage(
    encryptedPayload,
    senderPublicKey
);
console.log('Message:', message);
isChatSessionActive()

Check if chat session is active

const { active, publicKey } = await window.krayWallet.isChatSessionActive();
clearChatSession()

End chat session (logout)

await window.krayWallet.clearChatSession();
๐ŸŽฎ EXAMPLE: COSMIC VISION

Real Hybrid App on KRAY

Collectible card game: Cards as Ordinals (L1), game on L2.

๐ŸŽด 1111 cards ๐Ÿ–ผ๏ธ AI art โ›“๏ธ Ordinals โšก L2 game
TX L2 STRUCTURE

Truth Anchor Format

Every transaction must follow this structure

JavaScript TX L2 Structure
{
    // ๐Ÿ”‘ IDENTIFICATION (Required)
    id: "unique_txhash_32bytes",
    tx_type: "transfer",
    
    // ๐Ÿ’ฐ MOVEMENT (Required)
    from_account: "bc1p...",
    to_account: "bc1p...",
    amount: "1000",
    
    // ๐Ÿ” CRYPTOGRAPHY (Required for user TXs)
    signature: "schnorr_bip340_hex_64bytes",
    pubkey: "x_only_pubkey_hex_32bytes",
    
    // ๐Ÿ“Š METADATA (Required)
    gas_fee: "0",
    memo: "Human-readable description",
    status: "completed",
    
    // ๐Ÿ“Ž EXTRAS (Optional)
    metadata: { game_id: "xyz", ... },
    tx_data: { signing_params: {...}, result: {...} },
    
    // โฐ TIMESTAMP (Required)
    created_at: "2026-01-16T15:30:00.000Z"
}
๐Ÿ“‹ TX TYPES

Transaction Types Reference

All transaction types available on L2 KRAY - use these exact strings in your code

๐Ÿš€ Quick Copy

Click any type to copy to clipboard

transfer deposit withdrawal nft_mint nft_transfer nft_list nft_unlist nft_buy nft_bridge_out nft_bridge_in create_collection collection_config public_ai_mint
๐Ÿ’ฐ

Core Transactions

Essential
transfer
Send KRAY between users User A โ†’ User B
1 KRAY
deposit
Bridge from Bitcoin L1 L1 โ†’ L2 (verified by indexer)
1 KRAY
withdrawal
Bridge to Bitcoin L1 L2 โ†’ L1 (PSBT signing)
1 KRAY
๐Ÿช

NFT Marketplace

LIVE
nft_list
List NFT for sale Set price, create listing
1 KRAY
nft_unlist
Cancel listing Remove from marketplace
1 KRAY
nft_buy
Purchase NFT Pay price + 2% marketplace fee
1 KRAY + 2%
2% Marketplace Fee: Goes to bc1prwz4jegt9l503elk07nq0c2a5mkavq8af40hwa4885g3s6q2h2eqkkdnfn
๐ŸŽจ

NFT Operations

LIVE
nft_mint
Mint new NFT From collection or custom
1 KRAY + price
nft_transfer
Send NFT to another user Direct transfer, no sale
1 KRAY
nft_bridge_out
Bridge NFT to Bitcoin L1 Inscribe as Ordinal
1 KRAY + sats
nft_bridge_in
Return NFT from L1 Ordinal โ†’ L2 NFT
1 KRAY
๐Ÿ“

Collections

LIVE
create_collection
Create NFT collection Name, supply, royalty
1 KRAY
collection_config
Update collection settings Public mint, price, etc
1 KRAY
public_ai_mint
AI-generated mint Generate + mint in one tx
1 KRAY + AI fee
๐Ÿค–

AI Services

LIVE
ai_generate
Generate AI image Text-to-image generation
1 + 10 KRAY
AI Provider Fee: 10 KRAY โ†’ bc1pgwfq97qpu06lz5a3xe02dp0t5sw5dl6qcnwftlyyvajdk8cdtcwq7qasux
๐Ÿ› ๏ธ

Custom Apps (Build Yours!)

CREATE

Build any app on L2 KRAY! Always use tx_type: 'transfer' and put your custom action in the data field as JSON.

transfer
Gaming โ€” bet, reward, entry data: {app: "game", action: "place_bet"}
1 + YOUR_FEE
transfer
Subscription / Premium content data: {app: "service", action: "subscribe"}
1 + YOUR_FEE
transfer
DAO voting / Governance data: {app: "dao", action: "vote_cast"}
1 KRAY
transfer
Document certification data: {app: "certify", action: "certify_doc"}
1 + YOUR_FEE

๐Ÿ“ Using TX Types in Code

// Example: Create a marketplace listing
const txData = {
  from_account: userAddress,
  to_account: 'treasury',
  amount: 0,
  tx_type: 'nft_list',  // โ† Use exact string
  nonce: accountNonce,
  signature: userSignature,
  pubkey: userPubkey,
  data: {
    nft_id: 'nft_abc123',
    price_kray: 100
  }
};

const response = await fetch('/api/l2/nfts/market/list', {
  method: 'POST',
  body: JSON.stringify(txData)
});
๐Ÿ” SIGNATURE FLOW

Honor-Bound Authentication

Every action is signed with Schnorr (BIP-340) — Bitcoin's own Taproot cryptography — and verified twice before becoming permanent.

1

Create Message

const message = `${address}:${to}:${amount}:${nonce}:transfer`;
โ†’
2

User Signs (Schnorr BIP-340)

schnorr.sign(sha256(message), privateKey);
โ†’
3

Send to API

{ address, signature, pubkey, message, ...data }
โ†’
4

API Verifies & Executes

schnorr.verify(sig, sha256(msg), pubkey)
โ†’
5

Block Producer Re-Verifies

// Every sig re-checked before sealing block
โ†’
6

Validator Anchors to Bitcoin

OP_RETURN KRAY + merkle_root_32bytes
โšก BLOCK ARCHITECTURE

512 MB Blocks — Bitcoin-Grade Security

The fastest Bitcoin L2. Every transaction is Schnorr-verified, Merkle-sealed, and anchored to L1.

512 MB
Max Block Size
~56,800
TPS at Full Capacity
850K+
TXs Per Block
32 bytes
Merkle Root on Bitcoin

Two-Layer Verification

Layer 1: API Verification

Every Schnorr signature is verified when the action is submitted. Invalid signatures are rejected instantly. Transaction executes and is recorded with signature + pubkey.

Layer 2: Block-Level Re-Verification

Before sealing a block, the block producer independently re-verifies every Schnorr signature. Only cryptographically valid TXs enter the Merkle tree. This is the gate.

Decentralized Anchoring

Once a block is sealed, any Guardian or Validator can pick it up and anchor the Merkle root to Bitcoin L1 by paying the OP_RETURN transaction fee. The validator has zero special power — the block is already mathematically complete. They cannot alter, reorder, or censor transactions. They simply write the 32-byte proof to Bitcoin.

Block Sealed
All sigs verified, Merkle built
โ†’
Validator Picks Up
Any guardian can anchor
โ†’
Pays L1 Fee
OP_RETURN to Bitcoin
โ†’
Anchored Forever
Immutable on Bitcoin

If one validator doesn't anchor, another can. The math enforces everything. The system is fully independent and decentralized.

DeFi tx_data Structure

For DeFi transactions (swap, add_liquidity, remove_liquidity, create_pool), the tx_data JSONB column stores both the signing parameters and execution result:

{
  "signing_params": {       // Original data used for Schnorr signing
    "from_token": "KRAY",
    "to_token": "RUNE_DOG",
    "amount": "1000"
  },
  "result": {               // Execution result for audit
    "received": "42.5",
    "price": "23.53",
    "fee": "1"
  }
}

The block producer uses signing_params to reconstruct and re-verify the exact message the user signed.

๐Ÿ“ก API REFERENCE

Endpoints

Base URL: https://api.kray.space

L2 Core

GET /l2/health Health check
GET /l2/account/:address Get balance
GET /l2/transaction/recent Recent TXs
GET /l2/transaction/:id TX details

Bridge

POST /l2/bridge/deposit Initiate deposit
POST /l2/bridge/withdraw Initiate withdrawal

Social

GET /api/social/feed Posts feed
POST /api/social/post/:id/like Like (1 KRAY)
POST /api/social/post/:id/repost Claim reward
๐Ÿ’ป CODE EXAMPLE

Game Reward Implementation

JavaScript Game Reward Function
async function giveGameReward(playerAddress, amount, gameData, signature, message) {
    // 1. Verify player signature (Honor-bound)
    if (!verifySignature(playerAddress, message, signature)) {
        throw new Error('Invalid signature');
    }
    
    // 2. Create unique TX ID (DNA of the action)
    const nonce = gameAccount.nonce || 0;
    
    // 4. Send L2 transfer (Truth Anchor) โ† THIS IS THE KEY!
    // Always use tx_type: 'transfer' โ€” custom info goes in data field
    const result = await fetch('https://kray.space/api/l2/transaction/send', {
        method: 'POST',
        headers: { 'Content-Type': 'application/json' },
        body: JSON.stringify({
            from_account: 'GAME_TREASURY',
            to_account: playerAddress,
            amount: amount.toString(),
            tx_type: 'transfer',
            token_symbol: 'KRAY',
            signature: signature,
            pubkey: pubkey,
            nonce: nonce,
            data: JSON.stringify({ app: 'game', action: 'reward', ...gameData })
        })
    });
    
    return { success: true, txHash };
}
๐Ÿš€ BUILD ANYTHING

What Can You Create?

๐ŸŽฎ

Games

Play-to-earn, tournaments, in-game items, achievements

๐Ÿ’ฑ

DeFi

DEX, lending, staking, yield farming

๐Ÿ“ฑ

Social

Paid content, creator monetization, tipping

๐ŸŽจ

NFT

Marketplace, minting, auctions, royalties

๐Ÿ—ณ๏ธ

Governance

DAOs, voting, proposals, treasuries

๐Ÿ“„

Documents

Certificates, notarization, timestamps

๐ŸŽฐ

Lottery

Raffles, jackpots, number draws, prize pools

๐Ÿ“Š

Prediction Markets

Sports betting, event outcomes, binary options

๐ŸŽฌ

Streaming

Pay-per-view, subscriptions, live donations

๐ŸŽŸ๏ธ

Ticketing

Events, concerts, NFT tickets, resale market

๐Ÿ›’

E-Commerce

Digital goods, memberships, gift cards

๐Ÿค–

AI Services

Image generation, chatbots, content creation

๐Ÿ’ฐ DEVELOPER REVENUE

Build Apps. Earn Fees.

Every transaction = money in your wallet. No limits on what you can charge.

โˆž Set Any Fee You decide
โšก 1 KRAY Gas Fixed always
๐Ÿ’ณ Instant Payout Direct to wallet
๐Ÿ”’ NETWORK RULE

Fixed Gas Fee

The 1 KRAY gas is fixed and always goes to Treasury. Developers cannot change this. You only control your service fee.

1 GAS
+
? YOUR FEE
=
USER PAYS
01

๐Ÿ’ต Revenue Calculator

Simulate your earnings
Your Service Fee 10 KRAY
Daily Users 100
User Pays 11 KRAY
Daily 1,000
Monthly 30,000 KRAY
02

๐Ÿ“Š Fee Distribution

Where money goes
๐Ÿ‘ค
User 11 KRAY
๐Ÿ›๏ธ
Treasury Gas Fee
1 KRAY
๐Ÿ’ฐ
Your Wallet Service Fee
10 KRAY
Treasury bc1p5u00mj...k3nhv
You bc1p[your_address]
03

๐Ÿš€ Live on L2 KRAY

LIVE
๐ŸŽจ

Generative AI

NFT Generation10 KRAY
Avatar5 KRAY
๐Ÿ“‹ Copy Address bc1pgwfq97qpu06lz5a3xe02dp0t5sw5dl6qcnwftlyyvajdk8cdtcwq7qasux
LIVE
๐Ÿช

NFT Marketplace

Sale Commission2%
๐Ÿ“‹ Copy Address bc1prwz4jegt9l503elk07nq0c2a5mkavq8af40hwa4885g3s6q2h2eqkkdnfn
LIVE
๐ŸŽด

NFT Collections

Mint PriceDynamic
Owner receives mint fees โ†’ set by collection creator

๐Ÿ“ Code Template

Copy this pattern to create your own L2 KRAY service:

JavaScript my-l2-service.js - Backend Pattern
// โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•
// YOUR L2 SERVICE CONFIGURATION
// โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•

// Your developer address - WHERE YOUR FEES GO
const MY_SERVICE_ADDRESS = 'bc1p[your_taproot_address]';

// Your service fee (you decide the price!)
const MY_SERVICE_FEE = 5;  // 5 KRAY per action

// Treasury address - ALWAYS the same for gas
const TREASURY_ADDRESS = 'bc1p5u00mjuxy0c040t9jdvcjxmzjsy2yluzukdzkta0fnu0hc5m29aqhk3nhv';

// Gas fee - ALWAYS 1 KRAY (network rule)
const GAS_FEE = 1;

// โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•
// YOUR SERVICE FUNCTION
// โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•โ•

async function executeMyService(userAddress, serviceData, signature, pubkey) {
    const totalRequired = MY_SERVICE_FEE + GAS_FEE;  // 5 + 1 = 6 KRAY
    
    // 1. Send the L2 transfer via the official API
    // tx_type is ALWAYS 'transfer' โ€” your custom info goes in data
    const txResult = await fetch('https://kray.space/api/l2/transaction/send', {
        method: 'POST',
        headers: { 'Content-Type': 'application/json' },
        body: JSON.stringify({
            from_account: userAddress,
            to_account: MY_SERVICE_ADDRESS,
            amount: totalRequired.toString(),
            tx_type: 'transfer',
            token_symbol: 'KRAY',
            signature: signature,
            pubkey: pubkey,
            nonce: serviceData.nonce,
            data: JSON.stringify({
                app: 'my_service',
                action: 'service_action',
                ...serviceData
            })
        })
    });
    
    const tx = await txResult.json();
    if (!tx.tx_hash) throw new Error(tx.error || 'Transaction failed');
    
    // 2. Execute your service logic after payment confirmed
    const result = await doYourServiceLogic(serviceData);
    
    const txHash = tx.tx_hash;
    
    return { success: true, tx_hash: txHash, result };
}
JavaScript Frontend - User Signs Transaction
// Frontend: User pays for your service
async function useMyService(serviceData) {
    // 1. Get user's nonce
    const account = await fetch(`/api/l2/account/${userAddress}`);
    const nonce = account.nonce || 0;
    
    // 2. Create signature message
    // Format: from:to:amount:nonce:transfer (ALWAYS 'transfer')
    const MY_SERVICE_ADDRESS = 'bc1p[dev_address]';
    const totalFee = 6;  // 5 service + 1 gas
    const message = [
        userAddress,
        MY_SERVICE_ADDRESS,
        totalFee.toString(),
        nonce.toString(),
        'transfer'
    ].join(':');
    
    // 3. User signs with KRAY Wallet
    const signResult = await window.krayWallet.signMessage(message);
    const pubkey = await window.krayWallet.getPublicKey();
    
    // 4. Call your service API
    const response = await fetch('/api/my-service/action', {
        method: 'POST',
        headers: { 'Content-Type': 'application/json' },
        body: JSON.stringify({
            user_address: userAddress,
            service_data: serviceData,
            signature: signResult.signature,
            pubkey: pubkey,
            nonce: nonce
        })
    });
    
    return response.json();
}
๐Ÿš€ START NOW

Ready to Build?

4 steps to launch your earning service on L2 KRAY

1
๐Ÿ”‘

Get Your Address

Create a Taproot address (bc1p...) - this is where your fees go!

Use KRAY Wallet or any Bitcoin wallet
2
๐Ÿ’ก

Define Your Service

Decide what you're building and set your fee structure

๐ŸŽฎ Game: 5 KRAY/match ๐ŸŽจ AI Art: 10 KRAY/gen ๐Ÿ“Š Data: 2 KRAY/query
3
โšก

Implement the Pattern

Copy the code template above and customize for your app

MY_SERVICE_FEE = 10; MY_ADDRESS = "bc1p...";
โœ“
๐Ÿ’ฐ

Start Earning!

Every user action = KRAY in your wallet

100 users ร— 10 KRAY = 1,000 KRAY/day

Join the L2 KRAY developer community

๐Ÿ’ก Service Ideas: What Can You Build?

Here are real examples of services you can create on L2 KRAY. Each one uses the fee pattern above!

๐Ÿš€ More Service Ideas

Copy the fee pattern and adapt for any of these:

๐ŸŽฐ
Lottery / Raffle
Fee: 5% of pot

Users buy tickets, random winner takes pot minus your fee.

ticketPrice * totalTickets * 0.05
๐Ÿƒ
Card Games
Fee: 2 KRAY/game

Poker, Blackjack, etc. Fixed fee per game session.

const GAME_FEE = 2;
๐Ÿ“ˆ
Staking Pool
Fee: 10% of yields

Users stake KRAY, earn rewards. You take cut of profits.

rewards * 0.10
๐Ÿ”ฎ
Prediction Market
Fee: 1% of bets

Bet on events (sports, crypto, elections). Fee on all bets.

betAmount * 0.01
๐ŸŽŸ๏ธ
NFT Raffle
Fee: 5 KRAY/ticket

Raffle off NFTs. Fixed fee per entry ticket.

const TICKET_FEE = 5;
๐Ÿค–
AI Chat Bot
Fee: 3 KRAY/message

Premium AI assistant. Pay per message or conversation.

const MESSAGE_FEE = 3;
๐Ÿ”
Premium Content
Fee: 10 KRAY/access

Exclusive content, tutorials, signals. Pay to unlock.

const ACCESS_FEE = 10;
โš”๏ธ
Multiplayer Games
Fee: 1 KRAY/match

PvP battles, tournaments. Fee per match entry.

const MATCH_FEE = 1;
๐Ÿ”จ
Auction House
Fee: 3% of sale

Auction NFTs or items. Fee on final sale price.

salePrice * 0.03
๐Ÿ›๏ธ
DAO Voting
Fee: 1 KRAY/vote

Governance voting system. Small fee per vote cast.

const VOTE_FEE = 1;
๐Ÿค
Escrow Service
Fee: 1% of deal

P2P trades with escrow protection. Fee on completion.

dealAmount * 0.01

๐Ÿ“ The Universal Formula

User Pays = YOUR_SERVICE_FEE + 1 KRAY (gas)
YOUR_SERVICE_FEE โ†’ Your Address
1 KRAY โ†’ Treasury

That's it! Set your fee, implement the pattern, and start earning.

๐ŸŽจ NFT L2 SYSTEM

Create NFT Collections on L2 KRAY

Mint NFTs instantly on L2, bridge to Bitcoin when ready

โœ…

Step 1: Become a Verified Project

To create NFT collections on L2 KRAY, your project needs to be verified first. This ensures quality and protects users.

๐ŸŽจ Create unlimited NFTs
โšก Instant minting (no waiting)
๐ŸŒ‰ Bridge to Bitcoin Ordinals
๐Ÿ’ฐ Only 1 KRAY per mint

Send via KrayChat: Project name, your bc1p... address, and brief description.
Already verified? Open NFT Studio to create your collection!

๐Ÿ’ฐ Understanding NFT Fees

GAS Network Fee: 1 KRAY

Cost to create/inscribe NFT on L2. Always goes to Treasury.

You pay this when creating each NFT.

PRICE Mint Price: You Decide

Your product price. Goes to your wallet.

Set 0 for free mint, or any value you want.

Example: You set mint_price = 100 KRAY

Client pays:101 KRAY total
โ†’ 100 KRAYYour wallet (mint_price)
โ†’ 1 KRAYTreasury (network gas)
NFT Status Types
ACTIVE     โ†’ NFT lives on L2, can transfer or bridge
BRIDGED    โ†’ NFT inscribed on Bitcoin L1, disabled on L2
RETURNED   โ†’ NFT came back from Bitcoin to L2
INCUBATOR  โ†’ Inscription exists on Bitcoin, never came to L2

Step 2: Mint NFTs via API

1

Upload to IPFS

Upload your image/video/audio (max 4MB)

Allowed: jpg, png, webp, avif, mp4, mp3, gltf
2

Sign with Wallet

Sign a message to prove you own the project

3

Call Mint API

POST to /api/l2/nfts/mint

4

NFT Created!

Appears in recipient's Inventory

Step 2: Configure Your Collection

1

Set Mint Price

How much clients pay you per NFT

0 = Free mint
2

Set Max Supply

Limit how many can be minted

0 = Unlimited
3

Enable/Disable

Control when clients can mint

NFT L2 API Endpoints
// Get collection info (mint_price, supply, etc)
GET /api/l2/nfts/collection/:id

// Configure your collection (owner only)
POST /api/l2/nfts/collection/config
{
  collection_id: "your_project_id",
  mint_price: "100",      // KRAY - goes to YOU
  max_supply: 1000,       // 0 = unlimited
  mint_enabled: true,     // allow public minting?
  signature: "...",
  nonce: 0,
  pubkey: "..."
}

// List user's NFTs
GET /api/l2/nfts/:address

// Mint new NFT (verified projects only)
// Developer mint: pays 1 KRAY (gas)
// Public mint: pays mint_price + 1 KRAY
POST /api/l2/nfts/mint
{
  collection_id: "your_project_id",
  name: "NFT Name",
  description: "Description",
  file_url: "ipfs://Qm...",
  file_type: "image",
  file_size: 150000,
  metadata: { rarity: "LEGENDARY", ... },
  recipient_address: "bc1p...",
  minter_address: "bc1p...",  // who is paying
  signature: "schnorr_signature",
  nonce: 0,
  pubkey: "your_pubkey"
}

// Transfer NFT on L2
POST /api/l2/nfts/transfer
{
  nft_id: "uuid",
  to_address: "bc1p...",
  signature: "...",
  nonce: 1,
  pubkey: "..."
}

// Inscribe on Bitcoin (NFT born on L2)
POST /api/l2/nfts/:id/inscribe

// Bridge to L1 (NFT already has inscription)
POST /api/l2/nfts/:id/bridge-to-l1

// Bridge from Bitcoin to L2
POST /api/l2/nfts/bridge-to-l2
JavaScript Example: Mint NFT
async function mintNFT() {
  // 1. Get nonce from account
  const account = await fetch(`/api/l2/account/${myAddress}`);
  const nonce = account.nonce || 0;
  
  // 2. Sign message with KrayWallet
  const message = `Mint NFT to ${recipientAddress} at ${Date.now()}`;
  const signature = await window.krayWallet.signMessage(message);
  const pubkey = await window.krayWallet.getPublicKey();
  
  // 3. Call mint API
  const response = await fetch('/api/l2/nfts/mint', {
    method: 'POST',
    headers: { 'Content-Type': 'application/json' },
    body: JSON.stringify({
      collection_id: 'my_project',
      name: 'My NFT #1',
      description: 'An amazing NFT',
      file_url: 'ipfs://QmXxx...',
      file_type: 'image',
      file_size: 150000,
      metadata: { rarity: 'EPIC' },
      recipient_address: recipientAddress,
      signature,
      nonce,
      pubkey
    })
  });
  
  const result = await response.json();
  console.log('NFT minted!', result.nft);
}

After NFT Exists on L2

๐Ÿ”„

Transfer

Send to another address instantly

1 KRAY fee
โšก

Inscribe on Mainnet

Create Ordinal on Bitcoin (first time)

1 KRAY + sats
๐ŸŒ‰

Bridge to L1

Move existing Ordinal back to Bitcoin

1 KRAY + sats

๐Ÿš€ What Can You Build with NFT L2?

NFT L2 is perfect for high-volume, low-cost use cases. Create thousands of NFTs without breaking the bank, then bridge special ones to Bitcoin.

๐ŸŽŸ๏ธ

Tickets & Events

  • Concert & festival tickets
  • Sports game passes
  • Conference badges
  • VIP memberships
Instant transfer, 1 KRAY/ticket
๐ŸŽฎ

Gaming & RPG

  • In-game items (swords, armor)
  • Character skins & avatars
  • Trading cards
  • Achievements & badges
100k+ items, pennies each
๐ŸŽจ

Digital Art & Collectibles

  • 10k+ PFP collections
  • Generative art series
  • POAPs (Proof of Attendance)
  • Limited editions
Bridge rare ones to Bitcoin
๐Ÿ“œ

Certificates & Credentials

  • Course completions
  • Professional licenses
  • Diplomas & degrees
  • Membership cards
Verifiable, transferable
๐Ÿ’ก
The Power of L2 + L1: Create millions of NFTs on L2 for pennies, then bridge the rare/special ones to Bitcoin as Ordinals when they deserve permanence.
โš”๏ธ

The Builder's Oath

I. I create Truth Anchors for every action.

II. I verify signatures before moving value.

III. I derive counters from TXs, not increments.

IV. I protect user keys โ€” they never leave the device.

V. I let the Code speak โ€” it is my sworn oath.

Ready to Build?

Join the Origin Builders and create the future of Bitcoin scaling.