📊
LiveCasinoData

Real-Time Statistics

StatsReportsRTPFairnessOpen Data
Live Data
Menu
🎮All Games
Game Categories
Popular Guides
📖How to Play🎯Strategy📊RTP💡Tips
Popular Games
Crazy TimeLightning RouletteMonopoly LiveMega Ball
📈Statistics⚖️Compare Games🎯RTP Monitor⚖️Fairness Index📦Open Dataset
Live Data Active
Home/Research API
REST API v1No Auth RequiredCORS EnabledFree

Research API

A free, open REST API giving programmatic access to live casino game statistics, fairness scores, and segment distributions. Designed for researchers, data journalists, and developers.

Quick Start

$ curl https://livecasinodata.com/api/v1/games
✓
No API key
Publicly accessible, no registration
✓
CORS enabled
Call from any browser or script
⚠
Rate limit
1,000 requests / hour per IP
Base URLhttps://livecasinodata.com/api/v1

Endpoints

GET/api/v1/games— List All Games

Returns statistics for all tracked games across 7-day, 30-day, and 90-day windows.

Parameters
windowstringoptionalFilter to one window: 7d | 30d | 90d
Example
curl "https://livecasinodata.com/api/v1/games?window=30d"
Response (truncated)
{
  "meta": {
    "api_version": "v1",
    "source": "livecasinodata.com",
    "license": "CC BY 4.0",
    "total_games": 29,
    "generated_at": "2026-03-10T12:00:00Z"
  },
  "games": [
    {
      "slug": "crazy-time",
      "name": "Crazy Time",
      "provider": "Evolution Gaming",
      "category": "game-show",
      "theoretical_rtp_pct": 96.08,
      "theoretical_bonus_rate_pct": 14.79,
      "stats": {
        "d7":  { "total_rounds": 14221, "bonus_rate_pct": 14.82, "avg_multiplier": 6.1, "lcfi_score": 88 },
        "d30": { "total_rounds": 61004, "bonus_rate_pct": 14.61, "avg_multiplier": 5.9, "lcfi_score": 91 },
        "d90": { "total_rounds": 183012, "bonus_rate_pct": 14.79, "avg_multiplier": 6.0, "lcfi_score": 95 }
      }
    }
  ]
}
GET/api/v1/games/:slug— Single Game Detail

Detailed statistics for a specific game including segment distribution and theoretical comparison.

Parameters
slugpathrequiredGame slug, e.g. crazy-time, lightning-roulette
Example
curl "https://livecasinodata.com/api/v1/games/crazy-time"
Response (truncated)
{
  "game": {
    "slug": "crazy-time",
    "name": "Crazy Time",
    "provider": "Evolution Gaming",
    "theoretical_rtp_pct": 96.08,
    "stats": {
      "d30": {
        "total_rounds": 61004,
        "bonus_rate_pct": 14.61,
        "avg_multiplier": 5.9,
        "max_multiplier": 10000,
        "lcfi_score": 91,
        "lcfi_grade": "A+"
      }
    },
    "segment_distribution_30d": [
      { "result": "1",          "count": 27724, "pct": 45.44 },
      { "result": "2",          "count": 13856, "pct": 22.71 },
      { "result": "5",          "count": 6938,  "pct": 11.37 },
      { "result": "Crazy Time", "count": 698,   "pct": 1.14  }
    ],
    "theoretical_segments": [
      { "name": "1",          "theoreticalPct": 45.45 },
      { "name": "Crazy Time", "theoreticalPct": 1.14  }
    ]
  }
}
GET/api/v1/stats— Platform Statistics

High-level platform summary: total rounds tracked, active games, and aggregate metrics.

Example
curl "https://livecasinodata.com/api/v1/stats"
Response (truncated)
{
  "platform": {
    "total_rounds_all_time": 2847621,
    "total_games_tracked": 30,
    "data_since": "2024-06-01",
    "last_updated": "2026-03-10T11:58:32Z"
  },
  "windows": {
    "d30": {
      "total_rounds": 621004,
      "active_games": 29,
      "platform_avg_bonus_rate_pct": 15.2,
      "platform_avg_multiplier": 5.8,
      "platform_max_multiplier": 50000
    },
    "d90": {
      "total_rounds": 1843221,
      "active_games": 30,
      "platform_avg_multiplier": 5.7
    }
  }
}
GET/api/v1/fairness— Fairness Index (LCFI)

Live Casino Fairness Index scores for all games, sorted by score. Platform-wide LCFI included.

Example
curl "https://livecasinodata.com/api/v1/fairness"
Response (truncated)
{
  "platform_lcfi": 84,
  "platform_lcfi_grade": "A",
  "total_games": 29,
  "games": [
    {
      "slug": "crazy-time",
      "lcfi_score": 91,
      "lcfi_grade": "A+",
      "observed_bonus_rate_pct": 14.61,
      "theoretical_bonus_rate_pct": 14.79,
      "bonus_deviation_pct": 1.2,
      "data_confidence_pct": 100,
      "total_rounds_30d": 61004
    }
  ]
}
GET/api/dataset— Bulk Dataset Download

Aggregated CSV or JSON datasets for all games. Full column documentation on the dataset page.

Parameters
windowstringrequired7d | 30d | 90d | all
formatstringrequiredcsv | json
Example
curl "https://livecasinodata.com/api/dataset?window=30d&format=csv" -o livecasinodata.csv
Response (truncated)
# LiveCasinoData Open Dataset — 30d window ending 2026-03-10
# License: Creative Commons Attribution 4.0 (CC BY 4.0)
period,period_end,game_slug,game_name,provider,...
30d,2026-03-10,crazy-time,Crazy Time,Evolution Gaming,...

Code Examples

🐍Python
import requests

BASE = "https://livecasinodata.com/api/v1"

# Get all games
games = requests.get(f"{BASE}/games?window=30d").json()
for game in games["games"]:
    print(game["slug"], game["stats"]["d30"]["lcfi_score"])

# Get Fairness Index
fairness = requests.get(f"{BASE}/fairness").json()
print(f"Platform LCFI: {fairness['platform_lcfi']}")

# Get single game detail
ct = requests.get(f"{BASE}/games/crazy-time").json()
print(ct["game"]["segment_distribution_30d"][:3])
⚡JavaScript
const BASE = "https://livecasinodata.com/api/v1";

// Get all games
const { games } = await fetch(`${BASE}/games?window=30d`).then(r => r.json());
for (const game of games) {
  console.log(game.slug, game.stats.d30?.lcfi_score);
}

// Get Fairness Index
const { platform_lcfi, games: fairness } =
  await fetch(`${BASE}/fairness`).then(r => r.json());
console.log("Platform LCFI:", platform_lcfi);
📊R
library(httr)
library(jsonlite)

BASE <- "https://livecasinodata.com/api/v1"

# Get all games (30d window)
resp <- GET(paste0(BASE, "/games?window=30d"))
data <- fromJSON(content(resp, "text"))
df <- data$games

# Extract LCFI scores
lcfi_df <- data.frame(
  slug  = df$slug,
  lcfi  = sapply(df$stats, function(s) s$d30$lcfi_score)
)
print(lcfi_df)

Rate Limits & Fair Use

TierLimitAuthUse Case
Public1,000 req/hourNoneResearch, journalism, personal dashboards
ResearchUnlimitedContact usAcademic institutions, regulatory bodies

Rate limit headers are included in every response: X-RateLimit-Limit and X-RateLimit-Window. For high-volume access, use the bulk dataset download instead.

Response Headers

Content-Typeapplication/jsonAll responses are JSON
Access-Control-Allow-Origin*CORS allowed from any origin
X-RateLimit-Limit1000Requests per rate-limit window
X-RateLimit-Window3600Window duration in seconds
Cache-Controlno-storeData is always live from the database

Attribution Required

All data is published under CC BY 4.0. When using this data in publications, dashboards, or applications, include:

Data source: LiveCasinoData.com — livecasinodata.com/research-api
📦
Open Dataset
Bulk CSV & JSON download
⚖️
Fairness Index
LCFI scores visualized
🎯
RTP Monitor
Certified vs. observed RTP

DISCLAIMER: LiveCasinoData.com provides statistical information for educational and entertainment purposes only. We do not guarantee the accuracy, completeness, or reliability of any data presented. Past results do not predict future outcomes. Gambling involves risk - never bet more than you can afford to lose. This website is not affiliated with, endorsed by, or connected to any casino operator or game provider. All game names and trademarks are property of their respective owners. You must be 18+ (or legal gambling age in your jurisdiction) to access this site.

About

  • About Us
  • Contact
  • FAQ
  • Blog
  • Analytics Reports
  • Editorial Team

Legal

  • Terms of Service
  • Privacy Policy
  • Cookie Policy
  • Disclaimer
  • DMCA Policy
  • Affiliate Disclosure

18+Responsible Gambling

  • Responsible Gambling
  • BeGambleAware.org
  • GamCare.org.uk
  • Gamblers Anonymous
  • GamStop

Tools

  • WordPress Widget
  • Telegram Bot
  • Telegram Features
  • Open Dataset
  • Research API
  • White Papers
  • RG Observatory
  • Fairness Index
  • RTP Monitor

Games

  • Crazy Time Stats
  • Monopoly Live
  • Lightning Roulette
  • All Games →

Providers

  • Evolution Gaming
  • Pragmatic Play
  • All Providers →
📊
LiveCasinoData

Real-Time Statistics Platform

18+Adults Only

© 2026 LiveCasinoData.com | All Rights Reserved

Game names and trademarks belong to their respective owners.