Spaces:
Runtime error
Runtime error
File size: 13,822 Bytes
adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 adaea4d a6302b0 7781d26 adaea4d a6302b0 adaea4d a6302b0 adaea4d 9ee06c7 7781d26 adaea4d 9ee06c7 7781d26 9ee06c7 adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 adaea4d 45458e2 adaea4d eeb5483 adaea4d eeb5483 adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 2cde57f adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 adaea4d 7781d26 adaea4d |
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 |
# -------- app_final.py --------
import os, json, math, pathlib, re, time, logging, requests
import numpy as np
import plotly.graph_objects as go
import gradio as gr
import openai
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 0. API keys & Brave Search
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
if "OPENAI_API_KEY" not in os.environ:
os.environ["OPENAI_API_KEY"] = input("๐ Enter your OpenAI API key: ").strip()
openai.api_key = os.environ["OPENAI_API_KEY"]
BRAVE_KEY = os.getenv("BRAVE_KEY", "") # Brave Search API Key
BRAVE_ENDPOINT = "https://api.search.brave.com/res/v1/web/search"
logging.basicConfig(level=logging.INFO)
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 1. Cycle config
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
CENTER = 2025
CYCLES = {
"K-Wave": 50, # Kondratiev long wave
"Business": 9, # Juglar investment cycle
"Finance": 80, # Long credit cycle
"Hegemony": 250 # Power-shift cycle
}
ORDERED_PERIODS = sorted(CYCLES.values()) # [9, 50, 80, 250]
COLOR = {9:"#66ff66", 50:"#ff3333", 80:"#ffcc00", 250:"#66ccff"}
AMPL = {9:0.6, 50:1.0, 80:1.6, 250:4.0}
PERIOD_BY_CYCLE = {k:v for k,v in CYCLES.items()}
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 2. Load events JSON
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
EVENTS_PATH = pathlib.Path(__file__).with_name("cycle_events.json")
with open(EVENTS_PATH, encoding="utf-8") as f:
EVENTS = {int(item["year"]): item["events"] for item in json.load(f)}
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 3. Brave Search helpers
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
def brave_search(query: str, count: int = 8):
"""Call Brave Search API; return list of dicts."""
if not BRAVE_KEY:
logging.warning("โ ๏ธ BRAVE_KEY is empty; web search disabled.")
return []
try:
hdrs = {
"Accept": "application/json",
"X-Subscription-Token": BRAVE_KEY
}
data = requests.get(
BRAVE_ENDPOINT,
headers=hdrs,
params={"q": query, "count": str(count)},
timeout=15
).json()
raw = data.get("web", {}).get("results") or []
return [
{
"title": r.get("title", ""),
"url": r.get("url", r.get("link", "")),
"snippet": r.get("description", r.get("text", "")),
"host": re.sub(r"https?://(www\.)?", "", r.get("url", "")).split("/")[0]
}
for r in raw[:count]
]
except Exception as e:
logging.error(f"Brave Search Error: {e}")
return []
def format_search_results(query: str) -> str:
"""Format search results as markdown for LLM context."""
arts = brave_search(query)
if not arts:
return f"# [Web-Search] No live results for โ{query}โ.\n"
hdr = f"# [Web-Search] Top results for โ{query}โ\n\n"
body = "\n".join(
f"**{i+1}. {a['title']}** ({a['host']})\n\n"
f"{a['snippet']}\n\n"
f"[Source]({a['url']})\n"
for i, a in enumerate(arts)
)
return hdr + body + "\n"
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 4. Helper functions (chart)
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
def half_sine(xs, period, amp):
"""Half-sine โtowerโ with zero bottom floor."""
phase = np.mod(xs - CENTER, period)
y = amp * np.sin(np.pi * phase / period)
y[y < 0] = 0
return y
def build_chart(start: int, end: int):
"""Return (Plotly figure, summary string) for the requested year range,
plus a transparent hover-trace so the cursor always shows โYear ####โ. """
xs = np.linspace(start, end, max(1000, (end - start) * 4))
fig = go.Figure()
# 1) Gradient half-sine towers
for period in ORDERED_PERIODS:
base_amp, color = AMPL[period], COLOR[period]
for frac in np.linspace(base_amp / 30, base_amp, 30):
fig.add_trace(go.Scatter(
x=xs, y=half_sine(xs, period, frac),
mode="lines",
line=dict(color=color, width=0.8),
opacity=0.6,
hoverinfo="skip", showlegend=False))
fig.add_trace(go.Scatter(
x=xs, y=half_sine(xs, period, base_amp),
mode="lines",
line=dict(color=color, width=1.6),
hoverinfo="skip", showlegend=False))
# 2) Event markers (bilingual hover)
for year, evs in EVENTS.items():
if start <= year <= end:
cyc = evs[0]["cycle"]; period = PERIOD_BY_CYCLE[cyc]
y_val = float(half_sine(np.array([year]), period, AMPL[period]))
fig.add_trace(go.Scatter(
x=[year], y=[y_val], mode="markers",
marker=dict(color="white", size=6),
customdata=[[cyc,
"<br>".join(e["event_en"] for e in evs),
"<br>".join(e["event_ko"] for e in evs)]],
hovertemplate=(
"Year %{x} โข %{customdata[0]} cycle"
"<br>%{customdata[1]}"
"<br>%{customdata[2]}<extra></extra>"
),
showlegend=False))
# 3) Transparent hover-trace so any x shows โYear ####โ
fig.add_trace(go.Scatter(
x=xs,
y=np.full_like(xs, -0.05), # just below baseline
mode="lines",
line=dict(color="rgba(0,0,0,0)", width=1), # invisible
hovertemplate="Year %{x:.0f}<extra></extra>",
showlegend=False))
# 4) Cosmetic touches: centre line & 250-yr arrow
fig.add_vline(x=CENTER, line_dash="dash", line_color="white", opacity=0.6)
arrow_y = AMPL[250] * 1.05
fig.add_annotation(
x=CENTER-125, y=arrow_y, ax=CENTER+125, ay=arrow_y,
xref="x", yref="y", axref="x", ayref="y",
showarrow=True, arrowhead=3, arrowsize=1,
arrowwidth=1.2, arrowcolor="white")
fig.add_annotation(
x=CENTER, y=arrow_y+0.15, text="250 yr",
showarrow=False, font=dict(color="white", size=10))
# 5) Layout
fig.update_layout(
template="plotly_dark",
paper_bgcolor="black", plot_bgcolor="black",
height=450,
margin=dict(t=30, l=40, r=40, b=40),
hoverlabel=dict(bgcolor="#222", font_size=11),
hovermode="x" # unified x-hover
)
fig.update_xaxes(title="Year", range=[start, end], showgrid=False)
fig.update_yaxes(title="Relative amplitude",
showticklabels=False, showgrid=False)
summary = f"Range {start}-{end} | Events plotted: " \
f"{sum(1 for y in EVENTS if start <= y <= end)}"
return fig, summary
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 5. GPT chat helper
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
BASE_PROMPT = (
"๋น์ ์ **CycleNavigator AI**๋ก, ๊ฒฝ์ ์ฌยท๊ตญ์ ์ ์นยท์ฅ์ฃผ๊ธฐ(9y Business, 50y K-Wave, "
"80y Finance, 250y Hegemony) ๋ถ์์ ์ ํตํ ์ ๋ฌธ๊ฐ์
๋๋ค. "
"๋ชจ๋ ๋ต๋ณ์ ํ๊ตญ์ด๋ก ํ๋ ํ์ ์ ์ ํ์ฑ๊ณผ ์ค๋ฌด์ ๋ช
๋ฃ์ฑ์ ๋์์ ๊ฐ์ถ์ญ์์ค. "
"โฆ ๋ต๋ณ ๊ตฌ์กฐ ์ง์นจ: โ ์ง๋ฌธ ํต์ฌ ์์ฝ โ โก 4๋ ์ฃผ๊ธฐ์์ ๊ด๋ จ์ฑ ๋ช
์ โ "
"โข ์ญ์ฌยท๋ฐ์ดํฐ ๊ทผ๊ฑฐ ์ค๋ช
โ โฃ ์์ฌ์ ยท์ ๋ง ์์ผ๋ก ์์ ํ๋ฉฐ, "
"๋ฒํธโง๊ธ๋จธ๋ฆฌํยท์งง์ ๋ฌธ๋จ์ ํ์ฉํด ๋
ผ๋ฆฌ์ ์ผ๋ก ๋ฐฐ์ดํฉ๋๋ค. "
"โฆ ์ ๊ณต๋ [Chart summary]๋ ๋ฐ๋์ ํด์ยท์ธ์ฉํ๊ณ , "
"๊ฐ๊ด์ ์ฌ์คยท์ฐ๋ยท์ฌ๊ฑด์ ๊ทผ๊ฑฐ๋ก ํฉ๋๋ค. "
"โฆ ๊ทผ๊ฑฐ๊ฐ ๋ถ์ถฉ๋ถํ ๋ โํ์คํ์ง ์์ต๋๋คโ๋ผ๊ณ ๋ช
์ํด ์ถ์ธก์ ํผํ์ญ์์ค. "
"โฆ ๋ถํ์ํ ์ฅํฉํจ์ ์ผ๊ฐ๊ณ 3๊ฐ ๋จ๋ฝ ๋๋ 7๊ฐ ์ดํ bullets ๋ด๋ก ์์ฝํ์ญ์์ค."
)
def chat_with_gpt(history, user_msg, chart_summary):
messages = [{"role": "system", "content": BASE_PROMPT}]
if chart_summary not in ("", "No chart yet."):
messages.append({"role": "system", "content": f"[Chart summary]\n{chart_summary}"})
for u, a in history:
messages.extend([{"role": "user", "content": u},
{"role": "assistant", "content": a}])
messages.append({"role": "user", "content": user_msg})
res = openai.chat.completions.create(
model="gpt-3.5-turbo",
messages=messages,
max_tokens=600,
temperature=0.7
)
return res.choices[0].message.content.strip()
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 6. Gradio UI
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
def create_app():
with gr.Blocks(theme=gr.themes.Soft()) as demo:
# Title & subtitles
gr.Markdown("## ๐ญ **CycleNavigator (Interactive)**")
gr.Markdown(
"### <sub>Interactive visual service delivering insights at a glance into "
"the four major long cyclesโ9-year business cycle, 50-year Kondratiev wave, "
"80-year financial credit cycle, and 250-year hegemony cycleโthrough dynamic "
"charts and AI chat.</sub>"
)
gr.Markdown(
"<sub>"
"<b>Business 9y</b> (credit-investment business cycle) โข "
"<b>K-Wave 50y</b> (long technological-industrial wave) โข "
"<b>Finance 80y</b> (long credit-debt cycle) โข "
"<b>Hegemony 250y</b> (rise & fall of global powers cycle)"
"</sub>"
)
chart_summary_state = gr.State(value="No chart yet.")
with gr.Tabs():
with gr.TabItem("Timeline Chart"):
# 1๏ธโฃ ๋จผ์ ์ฐจํธ๋ฅผ ๋ง๋ค๊ณ ํ๋ฉด์ ๋ฐฐ์น
fig0, summ0 = build_chart(1500, 2500)
plot = gr.Plot(value=fig0) # โฌ๏ธ ์ฐจํธ๊ฐ ๋งจ ์์ ์์น
chart_summary_state.value = summ0
# 2๏ธโฃ ์ฐจํธ ์๋์ ์ปจํธ๋กค(์ฐ๋ ์
๋ ฅ + ์ค ๋ฒํผ) ๋ฐฐ์น
with gr.Row():
start_year = gr.Number(label="Start Year", value=1500, precision=0)
end_year = gr.Number(label="End Year", value=2500, precision=0)
zoom_in = gr.Button("๐ Zoom In")
zoom_out = gr.Button("๐ Zoom Out")
def refresh(s, e):
fig, summ = build_chart(int(s), int(e))
return fig, summ
start_year.change(refresh, [start_year, end_year],
[plot, chart_summary_state])
end_year.change(refresh, [start_year, end_year],
[plot, chart_summary_state])
def zoom(s, e, factor):
mid = (s + e) / 2
span = (e - s) * factor / 2
ns, ne = int(mid - span), int(mid + span)
fig, summ = build_chart(ns, ne)
return ns, ne, fig, summ
zoom_in.click(lambda s, e: zoom(s, e, 0.5),
inputs=[start_year, end_year],
outputs=[start_year, end_year, plot, chart_summary_state])
zoom_out.click(lambda s, e: zoom(s, e, 2.0),
inputs=[start_year, end_year],
outputs=[start_year, end_year, plot, chart_summary_state])
gr.File(value=str(EVENTS_PATH), label="Download cycle_events.json")
# โโ Tab 2: GPT Chat โโ
with gr.TabItem("Deep Research Chat"):
chatbot = gr.Chatbot(label="Assistant")
user_input = gr.Textbox(lines=3, placeholder="๋ฉ์์ง๋ฅผ ์
๋ ฅํ์ธ์โฆ")
with gr.Row():
send_btn = gr.Button("Send", variant="primary")
web_btn = gr.Button("๐ Web Search") # NEW
# ๊ธฐ๋ณธ ๋ต๋ณ
def respond(history, msg, summ):
reply = chat_with_gpt(history, msg, summ)
history.append((msg, reply))
return history, gr.Textbox(value="")
# ์น ๊ฒ์ ํ ๋ต๋ณ
def respond_with_search(history, msg, summ):
search_md = format_search_results(msg)
combined = f"{msg}\n\n{search_md}"
reply = chat_with_gpt(history, combined, summ)
history.append((f"{msg}\n\n(์น๊ฒ์ ์คํ)", reply))
return history, gr.Textbox(value="")
send_btn.click(respond,
[chatbot, user_input, chart_summary_state],
[chatbot, user_input])
user_input.submit(respond,
[chatbot, user_input, chart_summary_state],
[chatbot, user_input])
web_btn.click(respond_with_search,
[chatbot, user_input, chart_summary_state],
[chatbot, user_input])
return demo
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
# 7. main
# โโโโโโโโโโโโโโโโโโโโโโโโโโ
if __name__ == "__main__":
create_app().launch()
|