Spaces:
Running
Running
File size: 10,957 Bytes
e57e9d1 dff0b7c b27dee6 dff0b7c e57e9d1 b27dee6 e57e9d1 db6c149 e57e9d1 db6c149 e57e9d1 db6c149 e57e9d1 b09a163 e57e9d1 dff0b7c e57e9d1 b527b24 e57e9d1 b527b24 e57e9d1 b527b24 e57e9d1 b09a163 e57e9d1 d066295 e57e9d1 b09a163 f9561ea b09a163 f9561ea b09a163 f9561ea b09a163 e57e9d1 c081d45 e57e9d1 9a76a49 e57e9d1 9a76a49 e57e9d1 9a76a49 e57e9d1 c081d45 e57e9d1 9a76a49 e57e9d1 9a76a49 e57e9d1 9a76a49 e57e9d1 a699ae4 e57e9d1 c081d45 e57e9d1 a699ae4 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 | """
TFT-ASRO Inference Pipeline.
Produces live multi-quantile predictions by:
1. Assembling the latest feature vector from all data sources
2. Running through the trained TFT model
3. Formatting the output as a structured prediction dict
Designed to run in parallel with the existing XGBoost inference pipeline
for A/B comparison.
"""
from __future__ import annotations
import json
import logging
from datetime import datetime, timedelta, timezone
from functools import lru_cache
from pathlib import Path
from typing import Any, Dict, Optional
import os
import warnings
import numpy as np
import pandas as pd
warnings.filterwarnings(
"ignore",
message="X does not have valid feature names",
category=UserWarning,
module="sklearn",
)
from deep_learning.config import TFTASROConfig, get_tft_config
logger = logging.getLogger(__name__)
class TFTPredictor:
"""
Stateful predictor that holds the loaded model and PCA transformer.
Thread-safe for read-only inference (no internal mutation after init).
"""
def __init__(
self,
checkpoint_path: Optional[str] = None,
cfg: Optional[TFTASROConfig] = None,
):
self.cfg = cfg or get_tft_config()
self._checkpoint_path = checkpoint_path or self.cfg.training.best_model_path
self._model = None
self._pca = None
self._hub_checked = False
def _ensure_local_artifacts(self) -> None:
"""Download checkpoint from HF Hub if not present locally."""
if self._hub_checked:
return
self._hub_checked = True
if Path(self._checkpoint_path).exists():
return
try:
from deep_learning.models.hub import download_tft_artifacts
tft_dir = Path(self._checkpoint_path).parent
downloaded = download_tft_artifacts(
local_dir=tft_dir,
repo_id=self.cfg.training.hf_model_repo,
)
if downloaded:
logger.info("TFT checkpoint downloaded from HF Hub")
else:
logger.warning("TFT checkpoint not available on HF Hub")
except Exception as exc:
logger.warning("HF Hub download attempt failed: %s", exc)
@property
def model(self):
if self._model is None:
self._ensure_local_artifacts()
if not Path(self._checkpoint_path).exists():
raise FileNotFoundError(
f"TFT checkpoint not found: {self._checkpoint_path}"
)
from deep_learning.models.tft_copper import load_tft_model
self._model = load_tft_model(self._checkpoint_path)
return self._model
@property
def pca(self):
if self._pca is None:
self._ensure_local_artifacts()
pca_path = self.cfg.embedding.pca_model_path
if Path(pca_path).exists():
from deep_learning.data.embeddings import load_pca
self._pca = load_pca(pca_path)
return self._pca
def predict(self, session, symbol: str = "HG=F") -> Dict[str, Any]:
"""
Generate a TFT-ASRO prediction for the given symbol.
Returns a dict with:
- predicted_return_median, q10, q90
- predicted_price_median, q10, q90
- confidence_band_96
- volatility_estimate
- quantiles (all 7)
- model_info
"""
from deep_learning.data.feature_store import build_tft_dataframe
from deep_learning.data.dataset import build_datasets, create_dataloaders
from deep_learning.models.tft_copper import format_prediction
from pytorch_forecasting import TimeSeriesDataSet
master_df, tv_unknown, tv_known, target_cols = build_tft_dataframe(session, self.cfg)
last_known_price = self._get_last_price(session, symbol)
logger.info("TFT predict: baseline_price=%.4f for %s", last_known_price, symbol)
encoder_length = self.cfg.model.max_encoder_length
prediction_length = self.cfg.model.max_prediction_length
recent = master_df.tail(encoder_length + prediction_length).copy()
if len(recent) < encoder_length + 1:
return {"error": f"Insufficient data: {len(recent)} rows, need {encoder_length + 1}"}
recent["time_idx"] = np.arange(len(recent))
target = target_cols[0] if target_cols else "target"
try:
ds = TimeSeriesDataSet(
recent,
time_idx="time_idx",
target=target,
group_ids=["group_id"],
max_encoder_length=encoder_length,
max_prediction_length=prediction_length,
time_varying_unknown_reals=tv_unknown,
time_varying_known_reals=tv_known,
static_categoricals=["group_id"],
add_relative_time_idx=True,
add_target_scales=True,
add_encoder_length=True,
allow_missing_timesteps=True,
)
except Exception as exc:
logger.error("Failed to create inference dataset: %s", exc)
return {"error": str(exc)}
_nw = 0 if os.name == "nt" else 2
dl = ds.to_dataloader(train=False, batch_size=1, num_workers=_nw)
try:
import torch
# mode="quantiles" returns a plain Tensor (n_samples, pred_len, n_quantiles)
# Avoids the inhomogeneous-shape error from mode="raw" which returns a
# NamedTuple; np.array() cannot convert that to a uniform array.
pred_tensor = self.model.predict(dl, mode="quantiles")
if isinstance(pred_tensor, torch.Tensor):
pred_np = pred_tensor.cpu().numpy()
else:
pred_np = np.array(pred_tensor)
# Take first sample: (pred_len, n_quantiles)
if pred_np.ndim == 3:
pred_for_format = pred_np[0]
elif pred_np.ndim == 2:
pred_for_format = pred_np
else:
pred_for_format = pred_np.reshape(1, -1)
except Exception as exc:
logger.error("TFT prediction failed: %s", exc)
return {"error": str(exc)}
result = format_prediction(
pred_for_format,
quantiles=self.cfg.model.quantiles,
baseline_price=last_known_price,
)
result["model_info"] = {
"type": "TFT-ASRO",
"checkpoint": self._checkpoint_path,
"encoder_length": encoder_length,
"prediction_length": prediction_length,
"n_features_unknown": len(tv_unknown),
"n_features_known": len(tv_known),
}
result["generated_at"] = datetime.now(timezone.utc).isoformat()
result["symbol"] = symbol
return result
def _get_last_price(self, session, symbol: str) -> float:
"""Fetch the latest close price from the database."""
import math
from app.models import PriceBar
row = (
session.query(PriceBar.close)
.filter(PriceBar.symbol == symbol)
.order_by(PriceBar.date.desc())
.first()
)
if row is None:
logger.warning("No PriceBar found for %s — prices will be null", symbol)
return float('nan')
price = float(row.close)
if math.isnan(price) or math.isinf(price) or price <= 0:
logger.warning(
"Invalid close price for %s: %s — prices will be null",
symbol, price,
)
return float('nan')
return price
def get_model_metadata(self, session) -> Optional[Dict]:
"""Load persisted TFT model metadata from DB."""
from app.models import TFTModelMetadata
meta = (
session.query(TFTModelMetadata)
.filter(TFTModelMetadata.symbol == self.cfg.feature_store.target_symbol)
.first()
)
if meta is None:
return None
return {
"symbol": meta.symbol,
"trained_at": meta.trained_at.isoformat() if meta.trained_at else None,
"checkpoint_path": meta.checkpoint_path,
"config": json.loads(meta.config_json) if meta.config_json else {},
"metrics": json.loads(meta.metrics_json) if meta.metrics_json else {},
}
# ---------------------------------------------------------------------------
# Module-level convenience
# ---------------------------------------------------------------------------
_predictor: Optional[TFTPredictor] = None
def get_tft_predictor(cfg: Optional[TFTASROConfig] = None) -> TFTPredictor:
"""Singleton-style access to the TFT predictor."""
global _predictor
if _predictor is None:
_predictor = TFTPredictor(cfg=cfg)
return _predictor
def generate_tft_analysis(session, symbol: str = "HG=F") -> Dict[str, Any]:
"""
High-level API for generating a TFT-ASRO analysis report.
Designed to mirror the interface of the existing
``app.inference.generate_analysis_report``.
"""
predictor = get_tft_predictor()
prediction = predictor.predict(session, symbol)
if "error" in prediction:
return prediction
metadata = predictor.get_model_metadata(session)
# Direction based on T+1 (most reliable signal)
median_ret = prediction.get("predicted_return_median", 0)
if median_ret > 0.005:
direction = "BULLISH"
elif median_ret < -0.005:
direction = "BEARISH"
else:
direction = "NEUTRAL"
# Weekly trend based on T+5 (end-of-horizon)
weekly_ret = prediction.get("weekly_return", median_ret)
if weekly_ret > 0.005:
weekly_trend = "BULLISH"
elif weekly_ret < -0.005:
weekly_trend = "BEARISH"
else:
weekly_trend = "NEUTRAL"
vol = prediction.get("volatility_estimate", 0)
if vol > 0.02:
risk_level = "HIGH"
elif vol > 0.01:
risk_level = "MEDIUM"
else:
risk_level = "LOW"
import math
def _sanitize_floats(obj: Any) -> Any:
if isinstance(obj, float):
if math.isnan(obj) or math.isinf(obj):
return None
return obj
elif isinstance(obj, dict):
return {k: _sanitize_floats(v) for k, v in obj.items()}
elif isinstance(obj, (list, tuple)):
return type(obj)(_sanitize_floats(v) for v in obj)
return obj
raw_result = {
"symbol": symbol,
"model_type": "TFT-ASRO",
"direction": direction,
"weekly_trend": weekly_trend,
"risk_level": risk_level,
"prediction": prediction,
"model_metadata": metadata,
"generated_at": datetime.now(timezone.utc).isoformat(),
}
return _sanitize_floats(raw_result)
|