"""
Signals page — today's recommendation cards with rich visual indicators.
Each signal is displayed as a data-dense card with strategy badges,
confidence bars, and expandable thesis sections.
"""
from datetime import datetime
import pandas as pd
import plotly.graph_objects as go
import streamlit as st
from tradingagents.ui.theme import COLORS, get_plotly_template, page_header, signal_card
from tradingagents.ui.utils import load_recommendations
TIMEFRAME_LOOKBACK_DAYS = {
"1D": 1,
"7D": 7,
"1M": 30,
"3M": 90,
"6M": 180,
"1Y": 365,
}
def _get_interval_for_timeframe(timeframe: str) -> str:
"""Return appropriate data interval for a given timeframe."""
if timeframe == "1D":
return "5m" # 5-minute for intraday detail
elif timeframe == "7D":
return "1h" # Hourly for smooth 7-day view
else:
return "1d" # Daily for longer timeframes
@st.cache_data(ttl=3600)
def _load_price_history(ticker: str, period: str, interval: str = "1d") -> pd.DataFrame:
try:
from tradingagents.dataflows.y_finance import download_history
except Exception:
return pd.DataFrame()
data = download_history(
ticker,
period=period,
interval=interval,
auto_adjust=True,
progress=False,
)
if data is None or data.empty:
return pd.DataFrame()
if isinstance(data.columns, pd.MultiIndex):
tickers = data.columns.get_level_values(1).unique()
target = ticker if ticker in tickers else tickers[0]
data = data.xs(target, level=1, axis=1).copy()
data = data.reset_index()
# yfinance uses "Datetime" for intraday and "Date" for daily data
date_col = next(
(c for c in ("Datetime", "Date") if c in data.columns),
data.columns[0],
)
close_col = "Close" if "Close" in data.columns else "Adj Close"
if close_col not in data.columns:
return pd.DataFrame()
history = data[[date_col, close_col]].rename(columns={date_col: "date", close_col: "close"})
history["date"] = pd.to_datetime(history["date"], utc=True).dt.tz_localize(None)
history = history.dropna(subset=["close"]).sort_values("date")
return history
def _slice_history_window(history: pd.DataFrame, timeframe: str) -> pd.DataFrame:
days = TIMEFRAME_LOOKBACK_DAYS.get(timeframe)
if history.empty or days is None:
return pd.DataFrame()
latest_date = history["date"].max()
cutoff = latest_date - pd.Timedelta(days=days)
window = history[history["date"] >= cutoff].copy()
if len(window) < 2:
return pd.DataFrame()
return window
def _format_move_pct(window: pd.DataFrame) -> str:
first_close = float(window["close"].iloc[0])
last_close = float(window["close"].iloc[-1])
if first_close == 0:
return "0.00%"
move = ((last_close - first_close) / first_close) * 100
return f"{move:+.2f}%"
def _get_daily_movement(ticker: str) -> str:
"""Get today's intraday price movement percentage."""
try:
from tradingagents.dataflows.y_finance import download_history
today_data = download_history(
ticker,
period="1d",
interval="1d",
auto_adjust=True,
progress=False,
)
if today_data is None or today_data.empty:
return "N/A"
if isinstance(today_data.columns, pd.MultiIndex):
tickers = today_data.columns.get_level_values(1).unique()
if ticker not in tickers:
ticker = tickers[0]
today_data = today_data.xs(ticker, level=1, axis=1)
close_col = "Close" if "Close" in today_data.columns else "Adj Close"
if close_col not in today_data.columns:
return "N/A"
today_close = float(today_data[close_col].iloc[-1])
today_open = float(today_data.get("Open", today_data[close_col]).iloc[-1])
if today_open != 0:
daily_move = ((today_close - today_open) / today_open) * 100
return f"{daily_move:+.2f}%"
except Exception:
pass
return "N/A"
def _is_intraday(timeframe: str) -> bool:
"""Return True for timeframes that use intraday (sub-daily) data."""
return timeframe in ("1D", "7D")
def _build_dynamic_chart(
history: pd.DataFrame, timeframe: str, ticker: str = ""
) -> tuple[go.Figure, str, str, str]:
window = _slice_history_window(history, timeframe)
if window.empty:
return go.Figure(), "N/A", COLORS["text_muted"], "N/A"
first_close = float(window["close"].iloc[0])
last_close = float(window["close"].iloc[-1])
line_color = COLORS["green"] if last_close >= first_close else COLORS["red"]
move_text = _format_move_pct(window)
daily_move_text = _get_daily_movement(ticker) if ticker else "N/A"
intraday = _is_intraday(timeframe)
template = dict(get_plotly_template())
fig = go.Figure()
if intraday:
# For intraday charts, plot against a sequential index to eliminate
# overnight and weekend gaps. Use customdata for hover timestamps.
window = window.reset_index(drop=True)
x_vals = list(range(len(window)))
# Build tick labels: show date at the start of each trading day
tick_vals = []
tick_labels = []
prev_day = None
for i, row in window.iterrows():
day = row["date"].date()
if day != prev_day:
tick_vals.append(i)
tick_labels.append(row["date"].strftime("%b %d"))
prev_day = day
fig.add_trace(
go.Scatter(
x=x_vals,
y=window["close"],
mode="lines",
line=dict(color=line_color, width=2.4),
fill="tozeroy",
fillcolor=(
"rgba(34,197,94,0.18)"
if line_color == COLORS["green"]
else "rgba(239,68,68,0.18)"
),
customdata=window["date"],
hovertemplate="%{customdata|%b %d %H:%M}
$%{y:.2f}
$%{y:.2f}
%{{x|%b %d, %Y}}
$%{{y:.2f}}