Documentation
Home Features @PokeDeckAgent v0.1 beta
Developer Documentation

POKEDECK AI
DOCS

Everything you need to build on PokeDeck AI — from scanning your first card to minting NFTs on Solana. Comprehensive guides, full API reference, and SDK documentation.

15+
API Endpoints
3
SDKs Available
99.7%
API Uptime
<200ms
Avg Response
01 / Getting Started

INTRODUCTION

PokeDeck AI is the world's first intelligent platform that combines computer vision, real-time market analytics, and Solana blockchain technology to revolutionize how collectors manage, trade, and compete with their Pokémon TCG collections.

Our platform uses GPT-4V vision models to instantly identify any Pokémon card from a photo — determining the exact set, card number, rarity, edition, and condition. This data feeds into our predictive analytics engine, which tracks pricing across eBay, TCGPlayer, and global auction houses to give you real-time portfolio intelligence that no other platform offers.

📸
AI Vision Scanner
Point your camera at any card. GPT-4V identifies set, number, rarity, and condition in under 2 seconds with 94% accuracy.
📊
Market Intelligence
Real-time price tracking, trend analysis, and AI-powered predictions across all major marketplaces worldwide.
⛓️
Blockchain Trading
Mint verified cards as NFTs on Solana. AI trading bot monitors deals 24/7 with zero-fee Telegram auctions.
⚔️
Deck Building & Battles
AI builds optimal decks from your collection, then stress-tests them in 1,000+ simulated meta matches.
Beta Notice

PokeDeck AI is currently in closed beta. All features, endpoints, and documentation are subject to change. API rate limits and availability may vary during the beta period.

02 / Getting Started

QUICK START

Get up and running with PokeDeck AI in under 5 minutes. Follow these steps to connect your account, configure your AI scanner, and start building your intelligent collection.

Create Your Account & Get API Key
Join the waitlist at pokedeck.ai. Once approved, you'll receive an API key via email. This key authenticates all requests to our platform. Keep it secret — treat it like a password.
Install the SDK
We offer SDKs in JavaScript and Python. Install via npm or pip to get type-safe access to every endpoint, plus built-in retry logic, rate limiting, and webhook support.
Scan Your First Card
Take a clear photo of any Pokémon TCG card. Send it to our /scan endpoint. In under 2 seconds, you'll get back complete card identification, condition grading, and live market pricing.
Connect Your Solana Wallet
Link a Phantom or Solflare wallet to enable NFT minting, blockchain trading, and Telegram auction participation. Currently running on devnet — mainnet coming soon.
Explore the Dashboard
Your personal dashboard shows your full collection, portfolio value over time, AI trade suggestions, daily missions, and leaderboard rank. Everything updates in real time.
bash
# Install the PokeDeck AI SDK npm install @pokedeck/sdk # Or with Python pip install pokedeck-sdk # Set your API key export POKEDECK_API_KEY="pk_live_your_api_key_here"
javascript
// Quick start — scan your first card import { PokeDeck } from '@pokedeck/sdk'; const client = new PokeDeck({ apiKey: process.env.POKEDECK_API_KEY }); // Scan a card from an image file const result = await client.scan({ image: './charizard-vmax.jpg', model: 'gpt-4v', includePricing: true }); console.log(result.card.name); // "Charizard VMAX" console.log(result.card.set); // "Shining Fates" console.log(result.card.condition); // "NM" console.log(result.market.price); // 218.40
03 / Getting Started

SYSTEM ARCHITECTURE

PokeDeck AI is built as a distributed microservice architecture designed for low latency, high availability, and seamless scaling. Here's how the major components interact:

PokeDeck AI Architecture [ Mobile / Web Client ] | v [ API Gateway (v1) ] ---- [ Auth Service ] | --------|-------- | | | v v v [ Vision ] [ Market ] [ Deck ] [ Engine ] [ Engine ] [ Engine] | | | v v v [GPT-4V] [Price ] [Battle] [Gemini] [Feeds ] [ Sim ] | v [ Solana Blockchain ] | | v v [ NFT Mint ] [ Trading ] [ Service ] [ Bot ]
🧠
GPT-4V + Gemini Vision
Multi-model AI pipeline for card recognition and condition grading
Solana Blockchain
Sub-second finality for NFT minting, trading, and escrow contracts
📡
Real-Time Feeds
WebSocket streams from eBay, TCGPlayer, and crypto auction houses
🤖
Telegram Bot SDK
Native integration for auctions, alerts, and trading commands
🔒
x402 Protocol
HTTP-native micropayment protocol for API monetization
📊
ML Pipeline
Custom price prediction models trained on 5 years of TCG market data
04 / Core Features

AI CARD SCANNER

The AI Card Scanner is the heart of PokeDeck AI. Using a multi-model vision pipeline (GPT-4V primary, Gemini Vision fallback), it identifies Pokémon TCG cards from photographs with 94% accuracy in under 2 seconds. The scanner extracts:

  • Card Identity — Name, set, card number, rarity, edition (1st edition, unlimited, reverse holo, etc.)
  • Condition Grading — AI grades on a scale matching PSA/BGS standards: Mint, Near Mint, Excellent, Good, Poor
  • Centering Analysis — Measures border ratios (60/40, 65/35, etc.) to predict professional grading outcomes
  • Surface Defects — Detects scratches, whitening, print lines, and other defects via pixel-level analysis
  • Authenticity Check — Cross-references holo patterns, font metrics, and color profiles against known fakes
  • Market Pricing — Automatically pulls live pricing from TCGPlayer, eBay sold listings, and global auction data

How the Vision Pipeline Works

When you submit an image, it goes through a 4-stage pipeline:

Pre-processing
Image is normalized — auto-cropped, perspective-corrected, white-balanced, and enhanced. This ensures consistent input regardless of lighting or angle. Supports JPEG, PNG, WebP, HEIC up to 20MB.
Primary Identification (GPT-4V)
The processed image is sent to GPT-4V with a specialized prompt chain that extracts card name, set code, card number, and rarity. Confidence scores are returned for each field. If confidence drops below 85%, Gemini Vision runs as backup.
Condition Analysis
A second vision pass examines surface quality, centering, edge whitening, corner sharpness, and holo scratches. The AI outputs a PSA-equivalent grade (1-10) with detailed breakdown of each grading dimension.
Cross-reference & Enrichment
Results are validated against the Pokémon TCG API database (18,400+ cards). Live pricing is pulled from our market aggregator. The final response includes full card data, grade, and market intelligence.
Accuracy Notice

AI grading is an estimate and should not replace professional grading services (PSA, BGS, CGC). Our 94% accuracy is measured against a test set of 2,000 pre-graded cards. Results may vary with poor image quality.

javascript
// Advanced scan with full options const scan = await client.scan({ image: imageBuffer, model: 'gpt-4v', // 'gpt-4v' | 'gemini' | 'auto' includePricing: true, includeGrading: true, includeAuthenticity: true, priceSources: ['tcgplayer', 'ebay', 'cardmarket'], currency: 'USD' }); // Response structure { "id": "scan_abc123", "card": { "name": "Charizard VMAX", "set": "Shining Fates", "set_code": "SV107", "number": "SV107", "rarity": "Shiny Rare VMAX", "type": "Fire", "hp": 330, "confidence": 0.97 }, "grading": { "overall": 8.5, "centering": 9.0, "surfaces": 8.0, "edges": 8.5, "corners": 9.0, "condition_label": "NM", "psa_estimate": "PSA 8-9" }, "authenticity": { "is_authentic": true, "confidence": 0.99, "checks_passed": ["holo_pattern", "font_metrics", "color_profile", "texture"] }, "market": { "price_usd": 218.40, "trend_7d": "+20.4%", "trend_30d": "+45.1%", "prediction": "bullish", "sources": { ... } } }
05 / Core Features

AUTO-DECK BUILDER

The Auto-Deck Builder is an AI system that constructs tournament-viable Pokémon TCG decks from your personal collection. Input your playstyle preference — aggro, control, tempo, or combo — and the engine analyzes your available cards against the current competitive meta to build the strongest possible deck.

How It Works

  • Collection Analysis — The AI maps your entire scanned collection, identifying key cards, synergies, and type coverage
  • Meta Intelligence — Our engine tracks top tournament results worldwide, updating the meta snapshot daily from official and community tournament data
  • Deck Generation — Using constraint satisfaction and optimization algorithms, the AI generates 3-5 deck candidates that maximize win probability within your collection
  • Battle Simulation — Each candidate deck is stress-tested against the top 10 meta decks across 1,000+ simulated games. Win rates, matchup spreads, and consistency scores are calculated
  • Budget Optimization — Optionally set a budget cap. The AI will suggest affordable upgrades that maximize competitive improvement per dollar spent
javascript
const deck = await client.buildDeck({ playstyle: 'aggro', // 'aggro' | 'control' | 'tempo' | 'combo' format: 'standard', // 'standard' | 'expanded' | 'unlimited' budgetLimit: 50.00, // Optional: max USD for missing cards simulationRounds: 1000, // Battle simulations per candidate prioritize: 'win_rate' // 'win_rate' | 'consistency' | 'fun' }); console.log(deck.decklist); // Full 60-card decklist console.log(deck.winRate); // 0.68 (68% vs current meta) console.log(deck.matchups); // Per-archetype win rates console.log(deck.suggestedUpgrades); // Cards to buy for improvement
06 / Core Features

MARKET INTELLIGENCE

PokeDeck AI aggregates pricing data from every major marketplace in real time, then layers AI predictions on top to give you an unfair advantage in the Pokémon TCG market. Our models are trained on 5+ years of historical sold listings, tournament results, set releases, and community sentiment data.

Data Sources

  • TCGPlayer — Live market prices, lowest listings, and volume data for all English TCG cards
  • eBay Sold Listings — Actual completed sale prices, not just asking prices. Updated every 15 minutes
  • CardMarket — European pricing data for international portfolio tracking
  • Crypto Auctions — NFT and blockchain-based card auction prices from OpenSea, Magic Eden, and custom Solana markets
  • Tournament Data — Official Pokémon TCG tournament results that drive meta shifts and card demand

AI Predictions

Our prediction engine uses a custom transformer model fine-tuned on TCG market dynamics. It factors in upcoming set releases, ban list announcements, tournament results, social media buzz, and seasonal patterns. Predictions include:

  • 7-day forecast — Short-term price movement direction and magnitude
  • 30-day trend — Medium-term trajectory with confidence interval
  • Spike alerts — Real-time notifications when a card is about to surge based on leading indicators
  • Portfolio score — Your collection's overall health and projected growth rate
Not Financial Advice

All price predictions are experimental and should not be treated as financial advice. Past performance does not guarantee future results. The TCG market is volatile — always do your own research.

07 / Core Features

BATTLE SIMULATOR

The Battle Simulator runs full Pokémon TCG game simulations using official rules. It powers the deck builder's testing pipeline and will soon be available as a standalone feature for practice and training.

  • Full Rules Engine — Implements complete Pokémon TCG ruleset including Abilities, Trainer effects, Stadium rules, prize cards, weakness/resistance
  • AI Opponents — Multiple difficulty levels from Beginner to Champion-level play with adaptive strategy
  • Meta Deck Library — Pre-built versions of all current tier 1-3 competitive decks to test against
  • Statistical Output — Win rate, average prize cards taken, turn count, opening hand quality, consistency metrics
Coming Soon

The standalone Battle Simulator is currently in development. Deck builder simulations are available in beta. Interactive play mode expected in Q3 2025.

08 / Blockchain

NFT MINTING

Turn your verified physical Pokémon cards into digital assets on Solana. Each NFT is cryptographically linked to a real card verified by our AI scanner, creating a trustless bridge between physical and digital collectibles.

Minting Process

Verify Your Card
Scan your card using the AI scanner with authenticity check enabled. The card must pass all authenticity checks and receive a minimum condition grade of "Good" (4.0+).
Submit Mint Request
Call the /nft/mint endpoint with your scan ID and wallet address. The system generates metadata including card data, grade, AI-verification hash, and high-res image.
Solana Transaction
The NFT is minted on Solana using the Metaplex standard. Gas fees are paid in SOL from your connected wallet. Metadata is stored on Arweave for permanence. Typical cost: ~0.01 SOL.
Verification Seal
Your NFT receives a "PokeDeck Verified" badge visible on all marketplaces. This badge confirms the card was physically verified by our AI and links to the original scan data on-chain.
javascript
// Mint a verified card as NFT const nft = await client.nft.mint({ scanId: "scan_abc123", walletAddress: "7xKX...your_solana_wallet", network: "devnet", // 'devnet' | 'mainnet' (mainnet coming soon) royaltyBps: 500, // 5% creator royalty on secondary sales collection: "my-collection" // Optional: group NFTs into a collection }); console.log(nft.mintAddress); // Solana mint address console.log(nft.metadataUri); // Arweave metadata URI console.log(nft.explorerUrl); // Solana Explorer link
Testnet Only

NFT minting is currently available on Solana devnet only. No real SOL is required. Mainnet launch is pending security audit completion. Testnet NFTs will not transfer to mainnet.

09 / Blockchain

AI TRADING BOT

The AI Trading Bot is a 24/7 autonomous agent that monitors marketplaces for deals matching your criteria. It can alert you to price drops, propose swap deals with other collectors, and execute pre-approved trades automatically.

Capabilities

  • Price Watch — Set target prices for any card. Get instant alerts when listings match your criteria across eBay, TCGPlayer, and CardMarket
  • Deal Scoring — Every listing gets an AI-calculated "deal score" (0-100) based on price vs. market value, seller reputation, and card condition
  • Swap Engine — The bot identifies collectors who have cards you want and want cards you have. Proposes fair swap deals with transparent value calculations
  • Auto-Execute — For pre-approved trades, the bot can execute purchases automatically within your budget limits. All transactions are logged and reversible within 24h
  • Portfolio Rebalancing — AI suggests sells and buys to optimize your collection's value, liquidity, and competitive viability
Alpha Feature

The Trading Bot is in early alpha testing with a limited number of testers. Auto-execution is disabled by default. Join the waitlist for early access.

10 / Blockchain

TELEGRAM AUCTIONS

Host live card auctions directly inside Telegram groups. The PokeDeck bot manages the entire process — listing, bidding, time management, bid verification, and escrow via Solana smart contracts. Zero fees during beta.

Auction Flow

  • Create Listing — Seller sends a scan of their card to the bot. AI verifies condition and sets a suggested starting price
  • Live Bidding — The bot posts the auction in your Telegram group with a countdown timer. Bidders react or reply to place bids
  • Anti-Shill Protection — AI monitors bidding patterns to flag suspicious activity and protect buyers from price manipulation
  • Escrow Settlement — Winner's SOL is held in a Solana smart contract. Released to seller only after buyer confirms receipt of the physical card
  • Reputation System — Both parties rate each other after the trade. Reputation scores are stored on-chain and visible across all PokeDeck auctions
telegram bot commands
// Telegram Bot Commands /scan — Scan a card (reply to a photo) /auction start — Start a new auction from your last scan /auction bid — Place a bid on an active auction /auction end — End an auction early (seller only) /price [card] — Get live pricing for any card /portfolio — View your collection summary /deck build — Build a deck from your collection /alerts set — Set a price alert for a card /rank — View your leaderboard position /help — Full command reference
11 / API Reference

API OVERVIEW

The PokeDeck AI API is a RESTful JSON API with WebSocket support for real-time streams. All endpoints require authentication via API key in the Authorization header.

Base URL

url
https://api.pokedeck.ai/v1

Authentication

Include your API key in every request:

http
Authorization: Bearer pk_live_your_api_key_here

Rate Limits

PlanRequests / minScans / dayWebSocket Streams
Free (Beta)30501
Pro1205005
EnterpriseUnlimitedUnlimitedUnlimited

Error Codes

CodeMeaningDescription
400Bad RequestInvalid parameters or missing required fields
401UnauthorizedMissing or invalid API key
403ForbiddenAPI key lacks permission for this endpoint
404Not FoundResource does not exist
429Rate LimitedToo many requests — slow down
500Server ErrorSomething went wrong on our end
12 / API Reference

SCAN ENDPOINTS

POST /v1/scan
Submit a card image for AI identification, grading, and pricing. Returns full card data with market intelligence.
Request Body
ParameterTypeDescription
imagestringRequiredBase64-encoded image or public URL. Max 20MB. Supports JPEG, PNG, WebP, HEIC.
modelstringOptionalVision model to use. gpt-4v (default), gemini, or auto (tries both).
include_pricingbooleanOptionalInclude live market pricing. Default: true
include_gradingbooleanOptionalInclude AI condition grading. Default: true
include_authenticitybooleanOptionalRun authenticity verification. Default: false
price_sourcesstring[]OptionalMarkets to pull prices from. Options: tcgplayer, ebay, cardmarket
currencystringOptionalPrice currency. Default: USD. Supports: USD, EUR, GBP, JPY
GET /v1/scan/{scan_id}
Retrieve a previous scan result by ID. Scan results are stored for 90 days.
Path Parameters
ParameterTypeDescription
scan_idstringRequiredThe scan ID returned from POST /v1/scan
GET /v1/scans
List all your scans with pagination. Returns most recent first.
Query Parameters
ParameterTypeDescription
limitintegerOptionalResults per page. Default: 20, Max: 100
offsetintegerOptionalPagination offset. Default: 0
set_codestringOptionalFilter by card set code
13 / API Reference

MARKET ENDPOINTS

GET /v1/market/price/{card_id}
Get live pricing and AI predictions for a specific card across all tracked marketplaces.
Path Parameters
ParameterTypeDescription
card_idstringRequiredCard identifier (e.g., sv4-006)
GET /v1/market/trending
Returns the top 50 trending cards by price movement and search volume in the last 24 hours.
GET /v1/market/predictions
Get AI price predictions for cards in your portfolio. Includes 7-day and 30-day forecasts with confidence scores.
POST /v1/market/alerts
Create a price alert. You'll be notified via webhook or Telegram when the target price is hit.
Request Body
ParameterTypeDescription
card_idstringRequiredCard to watch
target_pricenumberRequiredPrice threshold in USD
directionstringRequiredabove or below
notify_viastring[]Optionalwebhook, telegram, email
14 / API Reference

DECK ENDPOINTS

POST /v1/deck/build
Generate an optimized deck from your collection based on playstyle and format preferences.
Request Body
ParameterTypeDescription
playstylestringRequiredaggro, control, tempo, or combo
formatstringOptionalstandard (default), expanded, unlimited
budget_limitnumberOptionalMax USD spend for missing cards
simulation_roundsintegerOptionalBattle simulations per candidate. Default: 500
POST /v1/deck/simulate
Run battle simulations between two decklists. Returns win rate, matchup statistics, and turn analysis.
GET /v1/deck/meta
Get the current meta snapshot — top decks, tier rankings, and trending archetypes updated daily.
15 / API Reference

NFT ENDPOINTS

POST /v1/nft/mint
Mint a verified card scan as an NFT on Solana. Requires a passing authenticity check from the scan.
Request Body
ParameterTypeDescription
scan_idstringRequiredID of a verified scan with authenticity check passed
wallet_addressstringRequiredYour Solana wallet address (Phantom, Solflare, etc.)
networkstringOptionaldevnet (default) or mainnet (coming soon)
royalty_bpsintegerOptionalCreator royalty in basis points. Default: 500 (5%)
collectionstringOptionalCollection name to group NFTs together
GET /v1/nft/{mint_address}
Get details of a minted NFT including metadata, ownership history, and verification status.
POST /v1/nft/auction
Create a Telegram auction for an NFT. The bot will manage bidding, timing, and escrow automatically.
16 / SDK & Integrations

JAVASCRIPT SDK

Our official JavaScript/TypeScript SDK provides type-safe access to all PokeDeck AI endpoints with built-in retry logic, rate limit handling, streaming support, and comprehensive error types.

bash
npm install @pokedeck/sdk
typescript
import { PokeDeck, ScanResult, DeckBuild } from '@pokedeck/sdk'; const client = new PokeDeck({ apiKey: process.env.POKEDECK_API_KEY, timeout: 30000, // Request timeout in ms retries: 3, // Auto-retry on failure rateLimitRetry: true, // Auto-wait on rate limits }); // All methods are fully typed const scan: ScanResult = await client.scan({ ... }); const deck: DeckBuild = await client.buildDeck({ ... }); const price = await client.market.getPrice('sv4-006'); const nft = await client.nft.mint({ ... }); // Real-time price stream via WebSocket client.market.stream(['sv4-006', 'swsh12-195'], (update) => { console.log(`${update.cardName}: $${update.price}`); });
17 / SDK & Integrations

PYTHON SDK

bash
pip install pokedeck-sdk
python
from pokedeck import PokeDeck client = PokeDeck(api_key="pk_live_your_key") # Scan a card result = client.scan( image="./charizard.jpg", model="gpt-4v", include_pricing=True ) print(result.card.name) # Charizard VMAX print(result.market.price) # 218.40 # Build a deck deck = client.build_deck( playstyle="aggro", format="standard", budget_limit=50.00 ) print(deck.win_rate) # 0.68 print(deck.decklist) # Full 60-card list # Async support import asyncio from pokedeck import AsyncPokeDeck async def main(): client = AsyncPokeDeck(api_key="pk_live_your_key") result = await client.scan(image="./card.jpg") asyncio.run(main())
18 / SDK & Integrations

WEBHOOKS

Receive real-time notifications when events occur — price alerts triggered, auctions ended, scans completed, or trades proposed. Webhooks are sent as HTTP POST requests to your configured endpoint.

Available Events

EventDescription
scan.completedA card scan has been processed and results are ready
price.alertA price alert threshold has been hit
price.spikeAI detected an unusual price movement for a card in your portfolio
auction.bidSomeone placed a bid on your auction
auction.endedAn auction has concluded
trade.proposedThe AI trading bot found a match and proposes a swap
nft.mintedYour NFT mint transaction has been confirmed on-chain
json — webhook payload
{ "event": "price.alert", "timestamp": "2025-03-15T10:30:00Z", "data": { "card_id": "sv4-006", "card_name": "Charizard VMAX", "target_price": 200.00, "current_price": 218.40, "direction": "above", "source": "tcgplayer" }, "signature": "sha256=abc123..." }
19 / More

SECURITY

Security is a core pillar of PokeDeck AI. We handle sensitive data including wallet connections, card collections worth thousands of dollars, and financial transactions on the Solana blockchain. Here's how we protect you:

API Security

  • TLS 1.3 — All API traffic is encrypted in transit. We reject connections using older TLS versions
  • API Key Rotation — Generate, revoke, and rotate keys from your dashboard. Old keys are invalidated immediately
  • IP Allowlisting — Restrict API access to specific IP addresses or CIDR ranges (Pro plan and above)
  • Rate Limiting — Per-key rate limits prevent abuse. Automatic throttling protects against DDoS
  • Webhook Signatures — All webhook payloads include HMAC-SHA256 signatures for verification

Wallet Security

  • Non-Custodial — We never store your private keys. All wallet interactions use signed transaction requests
  • Transaction Approval — Every blockchain transaction requires explicit approval from your wallet (Phantom, Solflare)
  • Escrow Contracts — Auction escrow uses audited Solana smart contracts with time-locked release mechanisms

Data Protection

  • Encryption at Rest — All stored data is encrypted using AES-256. Database backups are encrypted independently
  • Data Retention — Scan images are deleted after 90 days. You can request immediate deletion at any time via API
  • GDPR Compliant — Full data export and deletion available. We don't sell your data to third parties

Scam Detection

  • Fake Card Detection — AI-powered authenticity verification catches known counterfeit patterns
  • Shill Bid Protection — Machine learning models detect suspicious bidding patterns in Telegram auctions
  • Seller Verification — On-chain reputation scores help identify trusted traders
Bug Bounty

We run a responsible disclosure program. If you discover a security vulnerability, please report it to security@pokedeck.ai. Eligible reports receive bounties from $100 to $10,000.

20 / More

ROADMAP

PokeDeck AI is actively evolving. Here's what we're building and when you can expect it:

Q1 2025 — Foundation (Completed)
AI card scanner (GPT-4V), basic collection management, TCGPlayer pricing integration, waitlist launch, core API endpoints, JavaScript SDK v1.0.
Q2 2025 — Intelligence (Current)
Auto-deck builder, battle simulator, multi-model vision (Gemini fallback), eBay & CardMarket pricing, AI predictions engine, Solana devnet NFT minting, Telegram bot v1, Python SDK.
Q3 2025 — Blockchain
Solana mainnet launch, AI trading bot, Telegram live auctions with escrow, x402 protocol integration, on-chain reputation system, NFT marketplace.
Q4 2025 — Social
Polymarket prediction markets, daily missions & leaderboards, AI-generated exclusive card art, social trading features, mobile app (iOS & Android), enterprise API tier.
2026 — Expansion
Support for other TCGs (Magic: The Gathering, Yu-Gi-Oh!), cross-chain NFT bridges (Ethereum, Polygon), AR card viewer, partnership with official tournament organizers.
21 / More

FAQ

What cards does PokeDeck AI support?

Currently, we support all English-language Pokémon TCG cards from Base Set (1999) through the latest Scarlet & Violet expansions — over 18,400 unique cards. Japanese and other language support is planned for Q4 2025.

How accurate is the AI grading?

Our AI grading achieves 94% accuracy against a test set of 2,000 pre-graded cards (PSA, BGS, CGC). It's designed as a quick estimate — not a replacement for professional grading. Accuracy improves with better image quality, lighting, and angle. We recommend a flat, well-lit surface with no glare.

Is the API free during beta?

Yes. All beta users get free access to the API with limits of 30 requests/minute and 50 scans/day. Pro and Enterprise tiers will be available at launch with higher limits and additional features. Beta users will receive a discount on paid plans.

How does NFT minting work with physical cards?

You scan your physical card, which creates a verified digital record. This record — including card data, AI grade, and authenticity hash — is minted as an NFT on Solana. The NFT represents a verified digital twin of your physical card. It does NOT replace ownership of the physical card — both exist independently.

Is my collection data private?

Absolutely. Your collection data is encrypted and private by default. We never share or sell your data. You can export or delete all your data at any time via the API or dashboard. We are GDPR compliant.

What wallets are supported?

We support Phantom and Solflare for Solana wallet connections. More wallet integrations (Backpack, Glow) are coming in Q3 2025. All wallet interactions are non-custodial — we never have access to your private keys.

Can I use PokeDeck AI for other card games?

Not yet. We're 100% focused on Pokémon TCG right now to deliver the best possible experience. Support for Magic: The Gathering and Yu-Gi-Oh! is on our 2026 roadmap.

How do I report a bug or security issue?

For bugs, join our Discord or Telegram community and report in the #bugs channel. For security vulnerabilities, email security@pokedeck.ai. We have an active bug bounty program with rewards from $100 to $10,000 for eligible reports.