"use client"; import { useState, useEffect } from "react"; import Link from "next/link"; import { authFetch, useAuth } from "@/lib/auth"; import { XAxis, YAxis, Tooltip, ResponsiveContainer, ReferenceLine, Area, AreaChart } from "recharts"; function bjt(ms: number) { const d = new Date(ms + 8 * 3600 * 1000); return `${String(d.getUTCMonth() + 1).padStart(2, "0")}-${String(d.getUTCDate()).padStart(2, "0")} ${String(d.getUTCHours()).padStart(2, "0")}:${String(d.getUTCMinutes()).padStart(2, "0")}`; } function fmtPrice(p: number) { return p < 100 ? p.toFixed(4) : p.toLocaleString("en-US", { minimumFractionDigits: 1, maximumFractionDigits: 1 }); } function parseFactors(raw: any) { if (!raw) return null; if (typeof raw === "string") { try { return JSON.parse(raw); } catch { return null; } } return raw; } const STRATEGY = "v53_fast"; const ALL_COINS = ["BTCUSDT", "ETHUSDT", "XRPUSDT", "SOLUSDT"]; // ─── 最新信号 ──────────────────────────────────────────────────── function LatestSignals() { const [signals, setSignals] = useState>({}); useEffect(() => { const f = async () => { for (const sym of ALL_COINS) { const coin = sym.replace("USDT", ""); try { const r = await authFetch(`/api/signals/signal-history?symbol=${coin}&limit=1&strategy=${STRATEGY}`); if (r.ok) { const j = await r.json(); if (j.data?.length > 0) setSignals(prev => ({ ...prev, [sym]: j.data[0] })); } } catch {} } }; f(); const iv = setInterval(f, 15000); return () => clearInterval(iv); }, []); return (

最新信号

v53
{ALL_COINS.map(sym => { const s = signals[sym]; const coin = sym.replace("USDT", ""); const ago = s?.ts ? Math.round((Date.now() - s.ts) / 60000) : null; const fc = s?.factors; const gatePassed = fc?.gate_passed ?? true; return (
{coin} {s?.signal ? ( <> {s.signal === "LONG" ? "🟢" : "🔴"} {s.signal} {s.score}分 ) : 暂无信号}
{ago !== null && {ago < 60 ? `${ago}m前` : `${Math.round(ago/60)}h前`}}
{fc && (
{gatePassed ? "✅" : "❌"} {fc.gate_block || "Gate"} 方向{fc.direction?.score ?? 0}/55 拥挤{fc.crowding?.score ?? 0}/25 环境{fc.environment?.score ?? 0}/15 辅助{fc.auxiliary?.score ?? 0}/5
)}
); })}
); } // ─── 控制面板 ──────────────────────────────────────────────────── function ControlPanel() { const [config, setConfig] = useState(null); const [saving, setSaving] = useState(false); useEffect(() => { (async () => { try { const r = await authFetch("/api/paper/config"); if (r.ok) setConfig(await r.json()); } catch {} })(); }, []); const toggle = async () => { setSaving(true); try { const r = await authFetch("/api/paper/config", { method: "POST", headers: { "Content-Type": "application/json" }, body: JSON.stringify({ enabled: !config.enabled }) }); if (r.ok) setConfig(await r.json().then((j: any) => j.config)); } catch {} finally { setSaving(false); } }; if (!config) return null; return (
{config.enabled ? "🟢 运行中" : "⚪ 已停止"}
初始: ${config.initial_balance?.toLocaleString()} 风险: {(config.risk_per_trade * 100).toFixed(0)}% 最大: {config.max_positions}仓
); } // ─── 总览 ──────────────────────────────────────────────────────── function SummaryCards() { const [data, setData] = useState(null); useEffect(() => { const f = async () => { try { const r = await authFetch(`/api/paper/summary?strategy=${STRATEGY}`); if (r.ok) setData(await r.json()); } catch {} }; f(); const iv = setInterval(f, 10000); return () => clearInterval(iv); }, []); if (!data) return
加载中...
; return (
{[ { label: "总盈亏(R)", value: `${data.total_pnl >= 0 ? "+" : ""}${data.total_pnl}R`, sub: `${data.total_pnl_usdt >= 0 ? "+" : ""}$${data.total_pnl_usdt}`, color: data.total_pnl >= 0 ? "text-emerald-600" : "text-red-500" }, { label: "胜率", value: `${data.win_rate}%`, sub: `共${data.total_trades}笔`, color: "text-slate-800" }, { label: "持仓中", value: data.active_positions, sub: "活跃仓位", color: "text-blue-600" }, { label: "盈亏比", value: data.profit_factor, sub: "PF", color: "text-slate-800" }, { label: "当前资金", value: `$${data.balance?.toLocaleString()}`, sub: "虚拟余额", color: data.balance >= 10000 ? "text-emerald-600" : "text-red-500" }, { label: "状态", value: data.start_time ? "运行中 ✅" : "等待首笔", sub: "accumulating", color: "text-slate-600" }, ].map(({ label, value, sub, color }) => (

{label}

{value}

{sub}

))}
); } // ─── 当前持仓 ──────────────────────────────────────────────────── function ActivePositions() { const [positions, setPositions] = useState([]); const [wsPrices, setWsPrices] = useState>({}); const [paperRiskUsd, setPaperRiskUsd] = useState(200); useEffect(() => { (async () => { try { const r = await authFetch("/api/paper/config"); if (r.ok) { const cfg = await r.json(); setPaperRiskUsd((cfg.initial_balance||10000)*(cfg.risk_per_trade||0.02)); } } catch {} })(); }, []); useEffect(() => { const f = async () => { try { const r = await authFetch(`/api/paper/positions?strategy=${STRATEGY}`); if (r.ok) setPositions((await r.json()).data||[]); } catch {} }; f(); const iv = setInterval(f, 10000); return () => clearInterval(iv); }, []); useEffect(() => { const streams = ["btcusdt","ethusdt","xrpusdt","solusdt"].map(s=>`${s}@aggTrade`).join("/"); const ws = new WebSocket(`wss://fstream.binance.com/stream?streams=${streams}`); ws.onmessage = (e) => { try { const msg=JSON.parse(e.data); if(msg.data){const sym=msg.data.s;const price=parseFloat(msg.data.p);if(sym&&price>0)setWsPrices(prev=>({...prev,[sym]:price}));} } catch {} }; return () => ws.close(); }, []); if (positions.length === 0) return
v53 暂无活跃持仓
; return (

当前持仓 ● 实时

{positions.map((p: any) => { const sym = p.symbol?.replace("USDT","") || ""; const holdMin = Math.round((Date.now()-p.entry_ts)/60000); const currentPrice = wsPrices[p.symbol]||p.current_price||0; const entry = p.entry_price||0; const riskDist = p.risk_distance||Math.abs(entry-(p.sl_price||entry))||1; const tp1R = riskDist>0?(p.direction==="LONG"?((p.tp1_price||0)-entry)/riskDist:(entry-(p.tp1_price||0))/riskDist):0; const fullR = riskDist>0?(p.direction==="LONG"?(currentPrice-entry)/riskDist:(entry-currentPrice)/riskDist):0; const unrealR = p.tp1_hit?0.5*tp1R+0.5*fullR:fullR; const unrealUsdt = unrealR*paperRiskUsd; const fc = parseFactors(p.score_factors); const track = fc?.track||(p.symbol==="BTCUSDT"?"BTC":"ALT"); return (
{p.direction==="LONG"?"🟢":"🔴"} {sym} {p.direction} {track} 评分{p.score}
=0?"text-emerald-600":"text-red-500"}`}>{unrealR>=0?"+":""}{unrealR.toFixed(2)}R {holdMin}m
入: ${fmtPrice(p.entry_price)} 现: ${currentPrice?fmtPrice(currentPrice):"-"} TP1: ${fmtPrice(p.tp1_price)}{p.tp1_hit?" ✅":""} TP2: ${fmtPrice(p.tp2_price)} SL: ${fmtPrice(p.sl_price)}
入场时间: {p.entry_ts ? new Date(p.entry_ts).toLocaleString("zh-CN", {hour12:false, month:"2-digit", day:"2-digit", hour:"2-digit", minute:"2-digit", second:"2-digit"} as any) : "-"}
); })}
); } // ─── 权益曲线 ──────────────────────────────────────────────────── function EquityCurve() { const [data, setData] = useState([]); useEffect(() => { const f = async () => { try { const r = await authFetch(`/api/paper/equity-curve?strategy=${STRATEGY}`); if (r.ok) setData((await r.json()).data||[]); } catch {} }; f(); const iv = setInterval(f, 30000); return () => clearInterval(iv); }, []); return (

权益曲线

{data.length < 2 ?
数据积累中...
: (
bjt(v)} tick={{ fontSize: 10 }} /> `${v}R`} /> bjt(Number(v))} formatter={(v: any) => [`${v}R`, "累计PnL"]} />
)}
); } // ─── 历史交易 ──────────────────────────────────────────────────── type FilterSymbol = "all" | "BTC" | "ETH" | "XRP" | "SOL"; type FilterResult = "all" | "win" | "loss"; function TradeHistory() { const [trades, setTrades] = useState([]); const [symbol, setSymbol] = useState("all"); const [result, setResult] = useState("all"); useEffect(() => { const f = async () => { try { const r = await authFetch(`/api/paper/trades?symbol=${symbol}&result=${result}&strategy=${STRATEGY}&limit=50`); if (r.ok) setTrades((await r.json()).data||[]); } catch {} }; f(); const iv = setInterval(f, 10000); return () => clearInterval(iv); }, [symbol, result]); return (

历史交易

{(["all","BTC","ETH","XRP","SOL"] as FilterSymbol[]).map(s => ( ))} | {(["all","win","loss"] as FilterResult[]).map(r => ( ))}
{trades.length === 0 ?
暂无交易记录
: ( {trades.map((t: any) => { const holdMin = t.exit_ts&&t.entry_ts?Math.round((t.exit_ts-t.entry_ts)/60000):0; const fc = parseFactors(t.score_factors); const track = fc?.track||(t.symbol==="BTCUSDT"?"BTC":"ALT"); return ( ); })}
币种 方向 入场 出场 PnL(R) 状态 分数 持仓
{t.symbol?.replace("USDT","")}{track} {t.direction==="LONG"?"🟢":"🔴"} {t.direction} {fmtPrice(t.entry_price)} {t.exit_price?fmtPrice(t.exit_price):"-"} 0?"text-emerald-600":t.pnl_r<0?"text-red-500":"text-slate-500"}`}>{t.pnl_r>0?"+":""}{t.pnl_r?.toFixed(2)} {t.status==="tp"?"止盈":t.status==="sl"?"止损":t.status==="sl_be"?"保本":t.status==="timeout"?"超时":t.status==="signal_flip"?"翻转":t.status} {t.score} {holdMin}m
)}
); } // ─── 统计面板 ──────────────────────────────────────────────────── function StatsPanel() { const [data, setData] = useState(null); const [tab, setTab] = useState("ALL"); useEffect(() => { const f = async () => { try { const r = await authFetch(`/api/paper/stats?strategy=${STRATEGY}`); if (r.ok) setData(await r.json()); } catch {} }; f(); const iv = setInterval(f, 30000); return () => clearInterval(iv); }, []); if (!data || data.error) return (

详细统计

等待交易记录积累...
); const coinTabs = ["ALL","BTC","ETH","XRP","SOL"]; const st = tab==="ALL"?data:(data.by_symbol?.[tab]||null); return (

详细统计

{coinTabs.map(t => ( ))}
{st ? (
胜率

{st.win_rate}%

盈亏比

{st.win_loss_ratio}

平均盈利

+{st.avg_win}R

平均亏损

-{st.avg_loss}R

最大回撤

{st.mdd}R

夏普比率

{st.sharpe}

总盈亏

=0?"text-emerald-600":"text-red-500"}`}>{(st.total_pnl??0)>=0?"+":""}{st.total_pnl??"-"}R

总笔数

{st.total??data.total}

做多胜率

{st.long_win_rate}% ({st.long_count}笔)

做空胜率

{st.short_win_rate}% ({st.short_count}笔)

) :
该币种暂无数据
}
); } // ─── 主页面 ────────────────────────────────────────────────────── export default function PaperTradingV53Page() { const { isLoggedIn, loading } = useAuth(); if (loading) return
加载中...
; if (!isLoggedIn) return (
🔒

请先登录查看模拟盘

登录
); return (

📈 模拟盘 V5.3 Fast

实验变体 v53_fast · BTC/ETH/XRP/SOL · 四层评分 55/25/15/5 + per-symbol 四门控制

); }