summaryrefslogtreecommitdiff
path: root/services/strategy-engine/src/strategy_engine/stock_selector.py
blob: 8657b9364af4566e0dec284c48d6699c1ae8d3f5 (plain)
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
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
"""3-stage stock selector engine: sentiment → technical → LLM."""

import asyncio
import json
import logging
import re
from datetime import UTC, datetime

import aiohttp

from shared.alpaca import AlpacaClient
from shared.broker import RedisBroker
from shared.db import Database
from shared.models import OrderSide
from shared.sentiment_models import Candidate, MarketSentiment, SelectedStock

logger = logging.getLogger(__name__)

ANTHROPIC_API_URL = "https://api.anthropic.com/v1/messages"


def _extract_json_array(text: str) -> list[dict] | None:
    """Extract a JSON array from text that may contain markdown code blocks."""
    code_block = re.search(r"```(?:json)?\s*(\[.*?\])\s*```", text, re.DOTALL)
    if code_block:
        raw = code_block.group(1)
    else:
        array_match = re.search(r"\[.*\]", text, re.DOTALL)
        if array_match:
            raw = array_match.group(0)
        else:
            raw = text.strip()

    try:
        data = json.loads(raw)
        if isinstance(data, list):
            return [item for item in data if isinstance(item, dict)]
        return None
    except (json.JSONDecodeError, TypeError):
        return None


def _parse_llm_selections(text: str) -> list[SelectedStock]:
    """Parse LLM response into SelectedStock list.

    Handles both bare JSON arrays and markdown code blocks.
    Returns empty list on any parse error.
    """
    items = _extract_json_array(text)
    if items is None:
        return []

    selections = []
    for item in items:
        try:
            selection = SelectedStock(
                symbol=item["symbol"],
                side=OrderSide(item["side"]),
                conviction=float(item["conviction"]),
                reason=item.get("reason", ""),
                key_news=item.get("key_news", []),
            )
            selections.append(selection)
        except (KeyError, ValueError) as e:
            logger.warning("Skipping invalid selection item: %s", e)
    return selections


class SentimentCandidateSource:
    """Generates candidates from DB sentiment scores."""

    def __init__(self, db: Database) -> None:
        self._db = db

    async def get_candidates(self) -> list[Candidate]:
        rows = await self._db.get_top_symbol_scores(limit=20)
        candidates = []
        for row in rows:
            composite = float(row.get("composite", 0))
            if composite == 0:
                continue
            candidates.append(
                Candidate(
                    symbol=row["symbol"],
                    source="sentiment",
                    score=composite,
                    reason=f"composite={composite:.2f}, news_count={row.get('news_count', 0)}",
                )
            )
        return candidates


class LLMCandidateSource:
    """Generates candidates by asking Claude to analyze recent news."""

    def __init__(self, db: Database, api_key: str, model: str) -> None:
        self._db = db
        self._api_key = api_key
        self._model = model

    async def get_candidates(self, session: aiohttp.ClientSession | None = None) -> list[Candidate]:
        news_items = await self._db.get_recent_news(hours=24)
        if not news_items:
            return []

        headlines = []
        for item in news_items[:50]:  # cap at 50 to stay within context
            symbols = item.get("symbols", [])
            sym_str = ", ".join(symbols) if symbols else "N/A"
            headlines.append(f"[{sym_str}] {item['headline']}")

        prompt = (
            "You are a stock analyst. Given recent news headlines, identify the 5-10 most "
            "actionable US stock tickers. Return ONLY a JSON array with objects having: "
            "symbol (ticker), direction ('BUY' or 'SELL'), score (0-1), reason (brief).\n\n"
            "Headlines:\n" + "\n".join(headlines)
        )

        own_session = session is None
        if own_session:
            session = aiohttp.ClientSession()

        try:
            async with session.post(
                ANTHROPIC_API_URL,
                headers={
                    "x-api-key": self._api_key,
                    "anthropic-version": "2023-06-01",
                    "content-type": "application/json",
                },
                json={
                    "model": self._model,
                    "max_tokens": 1024,
                    "messages": [{"role": "user", "content": prompt}],
                },
            ) as resp:
                if resp.status != 200:
                    body = await resp.text()
                    logger.error("LLM candidate source error %d: %s", resp.status, body)
                    return []
                data = await resp.json()

            content = data.get("content", [])
            text = ""
            for block in content:
                if isinstance(block, dict) and block.get("type") == "text":
                    text += block.get("text", "")

            return self._parse_candidates(text)
        except Exception as e:
            logger.error("LLMCandidateSource error: %s", e)
            return []
        finally:
            if own_session:
                await session.close()

    def _parse_candidates(self, text: str) -> list[Candidate]:
        items = _extract_json_array(text)
        if items is None:
            return []

        candidates = []
        for item in items:
            try:
                direction_str = item.get("direction", "BUY")
                direction = OrderSide(direction_str)
            except ValueError:
                direction = None
            candidates.append(
                Candidate(
                    symbol=item["symbol"],
                    source="llm",
                    direction=direction,
                    score=float(item.get("score", 0.5)),
                    reason=item.get("reason", ""),
                )
            )
        return candidates


def _compute_rsi(closes: list[float], period: int = 14) -> float:
    """Compute RSI for the last data point."""
    if len(closes) < period + 1:
        return 50.0  # neutral if insufficient data

    deltas = [closes[i] - closes[i - 1] for i in range(1, len(closes))]
    gains = [d if d > 0 else 0.0 for d in deltas]
    losses = [-d if d < 0 else 0.0 for d in deltas]

    avg_gain = sum(gains[:period]) / period
    avg_loss = sum(losses[:period]) / period

    for i in range(period, len(deltas)):
        avg_gain = (avg_gain * (period - 1) + gains[i]) / period
        avg_loss = (avg_loss * (period - 1) + losses[i]) / period

    if avg_loss == 0:
        return 100.0
    rs = avg_gain / avg_loss
    return 100.0 - (100.0 / (1.0 + rs))


class StockSelector:
    """Orchestrates the 3-stage stock selection pipeline."""

    def __init__(
        self,
        db: Database,
        broker: RedisBroker,
        alpaca: AlpacaClient,
        anthropic_api_key: str,
        anthropic_model: str = "claude-sonnet-4-20250514",
        max_picks: int = 3,
    ) -> None:
        self._db = db
        self._broker = broker
        self._alpaca = alpaca
        self._api_key = anthropic_api_key
        self._model = anthropic_model
        self._max_picks = max_picks
        self._http_session: aiohttp.ClientSession | None = None
        self._session_lock = asyncio.Lock()

    async def _ensure_session(self) -> aiohttp.ClientSession:
        async with self._session_lock:
            if self._http_session is None or self._http_session.closed:
                self._http_session = aiohttp.ClientSession()
            return self._http_session

    async def close(self) -> None:
        if self._http_session and not self._http_session.closed:
            await self._http_session.close()

    async def select(self) -> list[SelectedStock]:
        """Run the full 3-stage pipeline and return selected stocks."""
        # Market gate: check sentiment
        sentiment_data = await self._db.get_latest_market_sentiment()
        if sentiment_data is None:
            logger.warning("No market sentiment data; skipping selection")
            return []

        market_sentiment = MarketSentiment(**sentiment_data)
        if market_sentiment.market_regime == "risk_off":
            logger.info("Market is risk_off; skipping stock selection")
            return []

        # Stage 1: gather candidates from both sources
        sentiment_source = SentimentCandidateSource(self._db)
        llm_source = LLMCandidateSource(self._db, self._api_key, self._model)

        session = await self._ensure_session()
        sentiment_candidates = await sentiment_source.get_candidates()
        llm_candidates = await llm_source.get_candidates(session=session)

        candidates = self._merge_candidates(sentiment_candidates, llm_candidates)
        if not candidates:
            logger.info("No candidates found")
            return []

        # Stage 2: technical filter
        filtered = await self._technical_filter(candidates)
        if not filtered:
            logger.info("All candidates filtered out by technical criteria")
            return []

        # Stage 3: LLM final selection
        selections = await self._llm_final_select(filtered, market_sentiment)

        # Persist and publish
        today = datetime.now(UTC).date()
        sentiment_snapshot = {
            "fear_greed": market_sentiment.fear_greed,
            "market_regime": market_sentiment.market_regime,
            "vix": market_sentiment.vix,
        }
        for stock in selections:
            try:
                await self._db.insert_stock_selection(
                    trade_date=today,
                    symbol=stock.symbol,
                    side=stock.side.value,
                    conviction=stock.conviction,
                    reason=stock.reason,
                    key_news=stock.key_news,
                    sentiment_snapshot=sentiment_snapshot,
                )
            except Exception as e:
                logger.error("Failed to persist selection for %s: %s", stock.symbol, e)

            try:
                await self._broker.publish(
                    "selected_stocks",
                    {
                        "symbol": stock.symbol,
                        "side": stock.side.value,
                        "conviction": stock.conviction,
                        "reason": stock.reason,
                        "key_news": stock.key_news,
                        "trade_date": str(today),
                    },
                )
            except Exception as e:
                logger.error("Failed to publish selection for %s: %s", stock.symbol, e)

        return selections

    def _merge_candidates(
        self, sentiment: list[Candidate], llm: list[Candidate]
    ) -> list[Candidate]:
        """Deduplicate candidates by symbol, keeping the higher score."""
        by_symbol: dict[str, Candidate] = {}
        for c in sentiment + llm:
            existing = by_symbol.get(c.symbol)
            if existing is None or c.score > existing.score:
                by_symbol[c.symbol] = c
        return sorted(by_symbol.values(), key=lambda c: c.score, reverse=True)

    async def _technical_filter(self, candidates: list[Candidate]) -> list[Candidate]:
        """Filter candidates using RSI, EMA20, and volume criteria."""
        passed = []
        for candidate in candidates:
            try:
                bars = await self._alpaca.get_bars(candidate.symbol, timeframe="1Day", limit=60)
                if len(bars) < 21:
                    logger.debug("Insufficient bars for %s", candidate.symbol)
                    continue

                closes = [float(b["c"]) for b in bars]
                volumes = [float(b["v"]) for b in bars]

                rsi = _compute_rsi(closes)
                if not (30 <= rsi <= 70):
                    logger.debug("%s RSI=%.1f outside 30-70", candidate.symbol, rsi)
                    continue

                ema20 = sum(closes[-20:]) / 20  # simple approximation
                current_price = closes[-1]
                if current_price <= ema20:
                    logger.debug(
                        "%s price %.2f <= EMA20 %.2f", candidate.symbol, current_price, ema20
                    )
                    continue

                avg_volume = sum(volumes[:-1]) / max(len(volumes) - 1, 1)
                current_volume = volumes[-1]
                if current_volume <= 0.5 * avg_volume:
                    logger.debug(
                        "%s volume %.0f <= 50%% avg %.0f",
                        candidate.symbol,
                        current_volume,
                        avg_volume,
                    )
                    continue

                passed.append(candidate)
            except Exception as e:
                logger.warning("Technical filter error for %s: %s", candidate.symbol, e)

        return passed

    async def _llm_final_select(
        self, candidates: list[Candidate], market_sentiment: MarketSentiment
    ) -> list[SelectedStock]:
        """Ask Claude to pick 2-3 stocks with rationale."""
        candidate_lines = [
            f"- {c.symbol} (source={c.source}, score={c.score:.2f}, reason={c.reason})"
            for c in candidates
        ]
        market_context = (
            f"Fear/Greed: {market_sentiment.fear_greed} ({market_sentiment.fear_greed_label}), "
            f"VIX: {market_sentiment.vix}, "
            f"Fed stance: {market_sentiment.fed_stance}, "
            f"Regime: {market_sentiment.market_regime}"
        )

        prompt = (
            f"You are a portfolio manager. Select 2-3 stocks for today's session.\n\n"
            f"Market context: {market_context}\n\n"
            f"Candidates (already passed technical filters):\n"
            + "\n".join(candidate_lines)
            + "\n\n"
            "Return ONLY a JSON array with objects having:\n"
            "  symbol, side ('BUY' or 'SELL'), conviction (0-1), reason (1-2 sentences), "
            "key_news (list of 1-3 relevant headlines or facts)\n"
            f"Select at most {self._max_picks} stocks."
        )

        try:
            session = await self._ensure_session()
            async with session.post(
                ANTHROPIC_API_URL,
                headers={
                    "x-api-key": self._api_key,
                    "anthropic-version": "2023-06-01",
                    "content-type": "application/json",
                },
                json={
                    "model": self._model,
                    "max_tokens": 1024,
                    "messages": [{"role": "user", "content": prompt}],
                },
            ) as resp:
                if resp.status != 200:
                    body = await resp.text()
                    logger.error("LLM final select error %d: %s", resp.status, body)
                    return []
                data = await resp.json()

            content = data.get("content", [])
            text = ""
            for block in content:
                if isinstance(block, dict) and block.get("type") == "text":
                    text += block.get("text", "")

            return _parse_llm_selections(text)[: self._max_picks]
        except Exception as e:
            logger.error("LLM final select error: %s", e)
            return []