-
Notifications
You must be signed in to change notification settings - Fork 2
[AI] Sisc2 46 ai 자산배분 학습 코드 작성 #101
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Merged
The head ref may contain hidden characters: "SISC2-46-AI-\uC790\uC0B0\uBC30\uBD84-\uD559\uC2B5-\uCF54\uB4DC-\uC791\uC131"
Merged
Changes from all commits
Commits
Show all changes
8 commits
Select commit
Hold shift + click to select a range
e62f32a
[AI] SISC2-43 [FEAT] 자산배분 로직 작성
twq110 38321b4
[AI] SISC2-43-[FIX] ohclv 누락 수정
twq110 49b40b0
[AI] SISC2-43 [FEAT] 매매 로직 작성
twq110 b71bbb3
[AI] SISC2-43 [REFACTOR] backtest 대신 backtrader 단어 사용
twq110 decd9c1
[AI] SISC2-45 [REFACTOR] 주석 일부 변경 및 패키지 작성
twq110 e1834f5
[AI] SISC2-43 [FEAT] 자산배분 로직 작성 및 최종 수정
twq110 80f51ed
[AI] SISC2-43 [FIX] xai_report_id가 fills_df에 전파되지 않는 문제 수정
twq110 c53a7c0
[AI] SISC2-43 [REFACTOR] DB 키 JSON에서 환경변수화
twq110 File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,3 @@ | ||
| #AI/backtrade/__init__.py | ||
| from .main import backtrade, BacktradeConfig | ||
| __all__ = ["backtrade", "BacktradeConfig"] |
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,159 @@ | ||
| # backtrade/main.py | ||
| """ | ||
| 한국어 주석: | ||
| - OHLCV 없이, Transformer 결정 로그(decision_log)의 price만으로 | ||
| 간소화된 백테스트를 수행하는 환경(Environment) 역할. | ||
| - 수량/포지션 결정은 backtrade/order_policy.py 모듈로 분리됨. | ||
| """ | ||
|
|
||
| from __future__ import annotations | ||
| from dataclasses import dataclass | ||
| from typing import Optional, Dict, Tuple, List | ||
| import pandas as pd | ||
| import numpy as np | ||
|
|
||
| from backtrade.order_policy import decide_order # 분리된 정책 모듈 import | ||
|
|
||
|
|
||
| # === 설정 클래스 === | ||
| @dataclass | ||
| class BacktradeConfig: | ||
| """ | ||
| 한국어 주석: | ||
| - 간소화 백테스터 설정 | ||
| - 향후 강화학습 환경 초기화 시에도 그대로 사용 가능 | ||
| """ | ||
| initial_cash: float = 100_000.0 | ||
| slippage_bps: float = 5.0 | ||
| commission_bps: float = 3.0 | ||
| risk_frac: float = 0.2 | ||
| max_positions_per_ticker: int = 1 | ||
| fill_on_same_day: bool = True | ||
|
|
||
|
|
||
| # === 내부 유틸 === | ||
| def _apply_price_with_slippage(price: float, side: str, slippage_bps: float) -> float: | ||
| """슬리피지를 체결가에 반영""" | ||
| adj = 1.0 + (slippage_bps / 10_000.0) * (1 if side.upper() == "BUY" else -1) | ||
| return float(price) * adj | ||
|
|
||
|
|
||
| def _apply_commission(value: float, commission_bps: float) -> float: | ||
| """체결 금액에 대해 bps 단위 수수료 계산""" | ||
| return abs(value) * (commission_bps / 10_000.0) | ||
|
|
||
|
|
||
| def _fill_date_from_signal(sig_date: pd.Timestamp, same_day: bool) -> pd.Timestamp: | ||
| """OHLCV 없이 동일일 또는 다음날 체결로 단순 처리""" | ||
| return sig_date if same_day else (sig_date + pd.Timedelta(days=1)) | ||
|
|
||
|
|
||
| # === 백테스트 본체 === | ||
| def backtrade( | ||
| decision_log: pd.DataFrame, | ||
| config: Optional[BacktradeConfig] = None, | ||
| run_id: Optional[str] = None, | ||
| ) -> Tuple[pd.DataFrame, Dict]: | ||
| """ | ||
| 한국어 주석: | ||
| - 입력: Transformer 의사결정 로그(decision_log) | ||
| - 처리: 가격 기반 슬리피지·수수료 반영 후 체결/포지션 갱신 | ||
| - 반환: (fills_df, summary) | ||
| """ | ||
| if config is None: | ||
| config = BacktradeConfig() | ||
|
|
||
| dl = decision_log.copy() | ||
| if not {"ticker", "date", "action", "price"}.issubset(dl.columns): | ||
| raise ValueError("decision_log에 'ticker','date','action','price' 컬럼이 필요합니다.") | ||
|
|
||
| dl["date"] = pd.to_datetime(dl["date"]) | ||
| dl = dl.sort_values(["date", "ticker"]).reset_index(drop=True) | ||
|
|
||
| cash = float(config.initial_cash) | ||
| positions: Dict[str, Dict[str, float]] = {} | ||
| records: List[Dict] = [] | ||
|
|
||
| for _, r in dl.iterrows(): | ||
| ticker = str(r["ticker"]) | ||
| sig_date = pd.Timestamp(r["date"]) | ||
| sig = str(r["action"]).upper() | ||
| sig_price = float(r.get("price", np.nan)) | ||
|
|
||
| xai_id = r.get("xai_report_id") | ||
|
|
||
| if sig not in ("BUY", "SELL"): | ||
| continue | ||
|
|
||
| fill_date = _fill_date_from_signal(sig_date, config.fill_on_same_day) | ||
| fill_price = _apply_price_with_slippage(sig_price, sig, config.slippage_bps) | ||
|
|
||
| pos = positions.get(ticker, {"qty": 0, "avg": 0.0}) | ||
| cur_qty = pos["qty"] | ||
| avg_price = pos["avg"] | ||
| side = "BUY" if sig == "BUY" else "SELL" | ||
|
|
||
| # === 🔹 체결 정책 호출 (외부 모듈) === | ||
| qty, trade_value = decide_order( | ||
| side=side, | ||
| cash=cash, | ||
| cur_qty=cur_qty, | ||
| avg_price=avg_price, | ||
| fill_price=fill_price, | ||
| config=config, | ||
| ) | ||
|
|
||
| if qty <= 0: | ||
| continue | ||
|
|
||
| # === 나머지는 환경의 기계적 계산 === | ||
| commission = _apply_commission(trade_value, config.commission_bps) | ||
| cash_after = cash - trade_value - commission | ||
|
|
||
| # 포지션 업데이트 | ||
| if side == "BUY": | ||
| new_qty = cur_qty + qty | ||
| new_avg = (avg_price * cur_qty + fill_price * qty) / max(1, new_qty) | ||
| else: | ||
| new_qty = cur_qty - qty | ||
| new_avg = avg_price if new_qty > 0 else 0.0 | ||
|
|
||
| pnl_realized = 0.0 | ||
| if side == "SELL": | ||
| pnl_realized = (fill_price - avg_price) * qty | ||
|
|
||
| pnl_unrealized = 0.0 | ||
|
|
||
| # 상태 저장 | ||
| cash = cash_after | ||
| positions[ticker] = {"qty": new_qty, "avg": new_avg} | ||
|
|
||
| records.append({ | ||
| "run_id": run_id, | ||
| "xai_report_id": xai_id, | ||
| "ticker": ticker, | ||
| "signal_date": sig_date.date().isoformat(), | ||
| "signal_price": float(sig_price), | ||
| "signal": sig, | ||
| "fill_date": fill_date.date().isoformat(), | ||
| "fill_price": float(fill_price), | ||
| "qty": int(qty), | ||
| "side": side, | ||
| "value": float(trade_value), | ||
| "commission": float(commission), | ||
| "cash_after": float(cash_after), | ||
| "position_qty": int(new_qty), | ||
| "avg_price": float(new_avg), | ||
| "pnl_realized": float(pnl_realized), | ||
| "pnl_unrealized": float(pnl_unrealized), | ||
| }) | ||
coderabbitai[bot] marked this conversation as resolved.
Show resolved
Hide resolved
|
||
|
|
||
| fills = pd.DataFrame.from_records(records) | ||
| summary = { | ||
| "run_id": run_id, | ||
| "trades": int(len(fills)), | ||
| "cash_final": float(cash), | ||
| "pnl_realized_sum": float(fills["pnl_realized"].sum()) if not fills.empty else 0.0, | ||
| "commission_sum": float(fills["commission"].sum()) if not fills.empty else 0.0, | ||
| } | ||
| return fills, summary | ||
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,85 @@ | ||
| # backtrade/order_policy.py | ||
| # -*- coding: utf-8 -*- | ||
| """ | ||
| 한국어 주석: | ||
| - 백테스터의 '체결 수량 및 포지션 결정 로직'을 별도 모듈로 분리. | ||
| - 현재는 단순 rule-based이며, 향후 강화학습(Agent) 정책으로 교체할 수 있음. | ||
| """ | ||
|
|
||
| from __future__ import annotations | ||
| from typing import Dict, Tuple | ||
|
|
||
|
|
||
| def decide_order( | ||
| side: str, | ||
| cash: float, | ||
| cur_qty: int, | ||
| avg_price: float, | ||
| fill_price: float, | ||
| config, | ||
| ) -> Tuple[int, float]: | ||
| """ | ||
| 한국어 주석: | ||
| - 체결 수량 및 거래금액을 결정하는 핵심 함수. | ||
| - 강화학습 Agent가 교체할 대상 부분. | ||
| ----------------------------- | ||
| 입력값: | ||
| side: "BUY" 또는 "SELL" | ||
| cash: 현재 현금 잔고 | ||
| cur_qty: 현재 보유 주식 수량 | ||
| avg_price: 현재 보유 평균단가 | ||
| fill_price: 이번 체결 기준가 (슬리피지 반영 전) | ||
| config: BacktradeConfig 인스턴스 | ||
| 반환값: | ||
| (qty, trade_value) | ||
| qty: 매수/매도 수량 | ||
| trade_value: 체결 총액(+BUY 지출, -SELL 유입) | ||
| """ | ||
|
|
||
| qty = 0 | ||
| trade_value = 0.0 | ||
|
|
||
| if side == "BUY": | ||
| # 현금 중 risk_frac 비율만큼 투자 | ||
| cash_to_use = max(0.0, cash * config.risk_frac) | ||
| qty = int(cash_to_use // fill_price) | ||
|
|
||
| # 동시 보유 제한 | ||
| if config.max_positions_per_ticker == 1 and cur_qty > 0: | ||
| qty = 0 | ||
|
|
||
| trade_value = fill_price * qty # BUY → 현금 지출 (+) | ||
|
|
||
| elif side == "SELL": | ||
| qty = cur_qty # 전량 청산 | ||
| trade_value = -fill_price * qty # SELL → 현금 유입 (-) | ||
|
|
||
| return qty, trade_value | ||
|
|
||
|
|
||
| # === 확장용 RL 정책 클래스 === | ||
| class RLOrderPolicy: | ||
| """ | ||
| 한국어 주석: | ||
| - 강화학습 Agent를 위한 placeholder 클래스. | ||
| - 현재는 rule-based decide_order를 그대로 호출하지만, | ||
| 이후 RL 모델의 action 출력을 이용해 수량/금액을 결정할 수 있다. | ||
| """ | ||
|
|
||
| def __init__(self, model=None): | ||
| self.model = model # RL 네트워크 or 정책 객체 | ||
|
|
||
| def decide(self, state: Dict, config) -> Tuple[int, float]: | ||
| """ | ||
| state: {'cash':..., 'price':..., 'pos':..., 'side':...} | ||
| 반환: (qty, trade_value) | ||
| """ | ||
| side = state.get("side", "BUY") | ||
| return decide_order( | ||
| side=side, | ||
| cash=state.get("cash", 0.0), | ||
| cur_qty=state.get("cur_qty", 0), | ||
| avg_price=state.get("avg_price", 0.0), | ||
| fill_price=state.get("price", 0.0), | ||
| config=config, | ||
| ) |
This file was deleted.
Oops, something went wrong.
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,3 @@ | ||
| #AI/daily_data_collection/__init__.py | ||
| from .main import run_data_collection | ||
| __all__ = ["run_data_collection"] |
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.