Skip to main content

A package for participating in the Condor Game on CrunchDAO

Project description

Condor Game

Condor game is a real-time probabilistic forecasting challenge hosted by CrunchDAO at crunchdao.com

The goal is to anticipate how asset prices will evolve by providing not a single forecasted value, but a full probability distribution over the future price change at multiple forecast horizons and steps.

The current crypto assets to model are:

  • Bitcoin (BTC)
  • Ethereum (ETH)
  • Solana (SOL)
  • Tether Gold (XAUT)
  • SP500 tokenized ETF (SPYX)
  • NVIDIA tokenized stock (NVDAX)
  • Tesla tokenized stock (TSLAX)
  • Apple tokenized stock (AAPLX)
  • Alphabet tokenized stock (GOOGLX)

Install

pip install condorgame

What You Must Predict

Trackers must predict the probability distribution of price changes, defined as:

$$ r_{t,k} = P_t - P_{t-k} $$

For each defined step $k$ (e.g., 5 minutes, 1 hour, …), your tracker must return a full probability density function (PDF) over the future price change $r_{t,k}$.

Visualize the challenge

The Condor game is evaluated on incremental return predictions, not raw prices.
Incremental returns capture the relative change in price and produce a stationary series that is easier to model and compare across assets.

Below is an example of a density forecast over incremental returns for the next 24h at 5-minute intervals:

Below is a minimal example showing what your tracker might return:

>>> model.predict(asset="SOL", horizon=86400, step=300)
[
    {
        "step": (k + 1) * step,
        "prediction": {
            "type": "builtin",
            "name": "norm",
            "params": {
                "loc": -0.01,       # mean return
                "scale": 0.4        # standard deviation of return
            }
        }
    }
    for k in range(0, horizon // step)
]

Here is the return forecast mapped into price space:

Create your Tracker

A tracker is a model that processes real-time asset data to predict future price changes. It uses past prices to generate a probabilistic forecast of incremental returns. You can use the data provided by the challenge or any other datasets to improve your predictions.

It operates incrementally: prices are pushed to the tracker as they arrive and predictions are requested at specific times by the framework.

To create your tracker, you need to define a class that implements the TrackerBase interface, which already handles:

  • price storage and alignment via PriceStore
  • multi-resolution forecasting through predict_all()

As a participant, you only need to implement one method: predict().

  1. Price data handling (already provided)

    Each tracker instance contains a PriceStore (self.prices) that:

    • stores recent historical prices per asset
    • maintains a rolling time window (30 days)
    • provides convenient accessors such as:
      • get_last_price()
      • get_prices(asset, days, resolution)
      • get_closest_price(asset, timestamp)

    The framework automatically updates the PriceStore by calling tick(self, data: PriceData) before any prediction request.

    Data example:

     data = {
           "BTC": [(timestamp1, price1), (timestamp2, price2)],
           "SOL": [(timestamp1, price1)],
       }
    

    When it's called:

    • Typically every minute or when new data is available
    • Before any prediction request
    • Can be called multiple times before a predict
  2. Required method: predict(self, asset: str, horizon: int, step: int)
    This is the only method you must implement.

    It must return a sequence of predictive density distributions for the incremental price change of an asset:

    • Forecast horizon: horizon seconds into the future
    • Temporal resolution: one density every step seconds
    • Output length: horizon // step

    Each density prediction must comply with the density_pdf specification.

  3. Multi-step forecasts (handled automatically)

    You do not need to implement multi-step logic.

    The framework will automatically call your predict() method multiple times via predict_all(asset, horizon, steps) to construct forecasts at different temporal resolutions.

You can refer to the Tracker examples for guidance.

class GaussianStepTracker(TrackerBase):
    """
    An example tracker that models *future incremental returns* as Gaussian-distributed.

    For each forecast step, the tracker returns a normal distribution
    r_{t,step} ~ N(a · mu, √a · sigma) where:
        - mu    = mean historical return
        - sigma = std historical return
        - a = (step / 300) represents the ratio of the forecast step duration to the historical 5-minute return interval.

    Multi-resolution forecasts (5min, 1h, 6h, 24h, ...)
    are automatically handled by `TrackerBase.predict_all()`,
    which calls the `predict()` method once per step size.

    /!/ This is not a price-distribution; it is a distribution over 
    incremental returns between consecutive steps /!/
    """
    def __init__(self):
        super().__init__()

    def predict(self, asset: str, horizon: int, step: int):

        # Retrieve recent historical prices sampled at 5-minute resolution
        resolution=300
        pairs = self.prices.get_prices(asset, days=5, resolution=300)
        if not pairs:
            return []

        _, past_prices = zip(*pairs)

        if len(past_prices) < 3:
            return []

        # Compute historical incremental returns (price differences)
        returns = np.diff(past_prices)

        # Estimate drift (mean return) and volatility (std dev of returns)
        mu = float(np.mean(returns))
        sigma = float(np.std(returns))

        if sigma <= 0:
            return []

        num_segments = horizon // step

        # Construct one predictive distribution per future time step.
        # Each distribution models the incremental return over a `step`-second interval.
        #
        # IMPORTANT:
        # - The returned objects must strictly follow the `density_pdf` specification.
        # - Each entry corresponds to the return between t + (k−1)·step and t + k·step.
        #
        # We use a single-component Gaussian mixture for simplicity:
        #   r_{t,k} ~ N( (step / 300) · μ , sqrt(step / 300) · σ )
        #
        # where μ and σ are estimated from historical 5-minute returns.
        distributions = []
        for k in range(1, num_segments + 1):
            distributions.append({
                "step": k * step,                      # Time offset (in seconds) from forecast origin
                "type": "mixture",
                "components": [{
                    "density": {
                        "type": "builtin",             # Note: use 'builtin' instead of 'scipy' for speed
                        "name": "norm",  
                        "params": {
                            "loc": (step/resolution) * mu, 
                            "scale": np.sqrt(step/resolution) * sigma}
                    },
                    "weight": 1                        # Mixture weight — multiple densities with different weights can be combined
                }]
            })

        return distributions

Prediction Phase

In each prediction round, players must submit a set of density forecasts.

A prediction round is defined by one asset, one forecast horizon and one or more step resolutions.

  • A 24-hour horizon forecast
    • Triggered hourly for each asset
    • Step resolutions: {5-minute, 1-hour, 6-hour, 24-hour}
    • Supported assets: ["BTC", "SOL", "ETH", "XAUT", "SPYX", "NVDAX", "TSLAX", "AAPLX", "GOOGLX"]
  • A 1-hour horizon forecast
    • Triggered every 12 minutes for each asset
    • Step resolutions: {1-minute, 5-minute, 15-minute, 30-minute, 1-hour}
    • Supported assets: ["BTC", "SOL", "ETH", "XAUT"]

All required forecasts for a prediction round must be generated within 40 seconds.

Scoring

  • Once the full horizon has passed, each prediction is scored using a CRPS scoring function.
  • A lower CRPS score reflects more accurate predictions.
  • Leaderboard ranking is based on a 7-day rolling average of CRPS scores across all assets and horizons, evaluated relative to other participants:
    • for each prediction round, the best CRPS score receives a normalized score of 1
    • the worst 5% of CRPS scores receive a score of 0

Check your Tracker performance

TrackerEvaluator allows you to track your model's performance over time locally before participating in the live game. It maintains:

  • Overall CRPS score
  • Recent CRPS score
  • Quarantine predictions (predictions stored and evaluated at a later time)

A lower CRPS score reflects more accurate predictions.

from condorgame.tracker_evaluator import TrackerEvaluator
from condorgame.examples.benchmarktracker import GaussianStepTracker  # Your custom tracker

# Initialize the tracker evaluator with your custom GaussianStepTracker
tracker_evaluator = TrackerEvaluator(GaussianStepTracker())
# Feed a new price tick for SOL
tracker_evaluator.tick({"SOL": [(ts, price)]})
# You will generate predictive densities for SOL over a 24-hour period (86400s) 
# at multiple step resolutions: 5 minutes, 1 hour, 6 hours and 24 hours
predictions = tracker_evaluator.predict("SOL", horizon=3600*24,
                                        steps=[300, 3600, 3600*6, 3600*24])

print(f"My overall normalized CRPS score: {tracker_evaluator.overall_score("SOL"):.4f}")

Tracker examples

See Tracker examples. There are:

  • Quickstarter Notebooks
  • Self-contained examples

General Condor Game Advice

The Condor game challenges you to predict the asset location using probabilistic forecasting.

Probabilistic Forecasting

Probabilistic forecasting provides a distribution of possible future values rather than a single point estimate, allowing for uncertainty quantification. Instead of predicting only the most likely outcome, it estimates a range of potential outcomes along with their probabilities by outputting a probability distribution.

A probabilistic forecast models the conditional probability distribution of a future value $(Y_t)$ given past observations $(\mathcal{H}_{t-1})$. This can be expressed as:

$$P(Y_t \mid \mathcal{H}_{t-1})$$

where $(\mathcal{H}_{t-1})$ represents the historical data up to time $(t-1)$. Instead of a single prediction $(\hat{Y}t)$, the model estimates a full probability distribution $(f(Y_t \mid \mathcal{H}{t-1}))$, which can take different parametric forms, such as a Gaussian:

$$Y_t \mid \mathcal{H}_{t-1} \sim \mathcal{N}(\mu_t, \sigma_t^2)$$

where $(\mu_t)$ is the predicted mean and $(\sigma_t^2)$ represents the uncertainty in the forecast.

Probabilistic forecasting can be handled through various approaches, including variance forecasters, quantile forecasters, interval forecasters or distribution forecasters, each capturing uncertainty differently.

For example, you can try to forecast the target location by a gaussian density function (or a mixture), thus the model output follows the form:

{
   "density": {
      "type": "builtin",
      "name": "normal",
      "params": {"loc": y_mean, "scale": y_var}
   },
   "weight": weight
}

A mixture density, such as the gaussion mixture $\sum_{i=1}^{K} w_i \mathcal{N}(Y_t | \mu_i, \sigma_i^2)$ allows for capturing multi-modal distributions and approximate more complex distributions.

Additional Resources

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

condorgame-0.5.3.tar.gz (41.6 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

condorgame-0.5.3-py3-none-any.whl (43.9 kB view details)

Uploaded Python 3

File details

Details for the file condorgame-0.5.3.tar.gz.

File metadata

  • Download URL: condorgame-0.5.3.tar.gz
  • Upload date:
  • Size: 41.6 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for condorgame-0.5.3.tar.gz
Algorithm Hash digest
SHA256 3ac572b9f412a5a790522931d94c5a70b61db898c013698d038f27b6a65eb2b9
MD5 039ee4f3081348129cc4fe41b070e5b4
BLAKE2b-256 6c1f701987df035386e38336a798840ac741ea456bf95f3d7dac17ea00e63884

See more details on using hashes here.

File details

Details for the file condorgame-0.5.3-py3-none-any.whl.

File metadata

  • Download URL: condorgame-0.5.3-py3-none-any.whl
  • Upload date:
  • Size: 43.9 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.1.0 CPython/3.13.7

File hashes

Hashes for condorgame-0.5.3-py3-none-any.whl
Algorithm Hash digest
SHA256 21b81394d7c05818543413703d70d53cd9920aa14d951ec5e2ee7a55556e7a48
MD5 5763b61f4d4c79218e07ff9a456fa7d2
BLAKE2b-256 453c8639a67174352f23c1f7b5e05bcecd7e34b583507bf2cddf60bdff82fa9e

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page