run.py 26 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666
  1. """
  2. 示例(增强版)
  3. 使用 Agent 模式 + Skills
  4. 新增功能:
  5. 1. 支持命令行随时打断(输入 'p' 暂停,'q' 退出)
  6. 2. 暂停后可插入干预消息
  7. 3. 支持触发经验总结
  8. 4. 查看当前 GoalTree
  9. 5. 框架层自动清理不完整的工具调用
  10. 6. 支持通过 --trace <ID> 恢复已有 Trace 继续执行
  11. """
  12. import argparse
  13. import os
  14. import sys
  15. import select
  16. import asyncio
  17. from pathlib import Path
  18. # ===== 浏览器模式配置 =====
  19. # 可选值: "cloud" (云浏览器) 或 "local" (本地浏览器)
  20. BROWSER_TYPE = "cloud" # 修改这里来切换浏览器模式
  21. HEADLESS = False # 是否无头模式运行
  22. # Clash Verge TUN 模式兼容:禁止 httpx/urllib 自动检测系统 HTTP 代理
  23. # TUN 虚拟网卡已在网络层接管所有流量,不需要应用层再走 HTTP 代理,
  24. # 否则 httpx 检测到 macOS 系统代理 (127.0.0.1:7897) 会导致 ConnectError
  25. os.environ.setdefault("no_proxy", "*")
  26. # 添加项目根目录到 Python 路径
  27. sys.path.insert(0, str(Path(__file__).parent.parent.parent))
  28. from dotenv import load_dotenv
  29. load_dotenv()
  30. from agent.llm.prompts import SimplePrompt
  31. from agent.core.runner import AgentRunner, RunConfig
  32. from agent.core.presets import AgentPreset, register_preset
  33. from agent.tools.builtin.browser.baseClass import init_browser_session, kill_browser_session
  34. from agent.trace import (
  35. FileSystemTraceStore,
  36. Trace,
  37. Message,
  38. )
  39. from agent.llm import create_openrouter_llm_call
  40. from agent.tools import get_tool_registry
  41. os.environ.setdefault("no_proxy", "*")
  42. # ===== 非阻塞 stdin 检测 =====
  43. if sys.platform == 'win32':
  44. import msvcrt
  45. def check_stdin() -> str | None:
  46. """
  47. 跨平台非阻塞检查 stdin 输入。
  48. Windows: 使用 msvcrt.kbhit()
  49. macOS/Linux: 使用 select.select()
  50. """
  51. if sys.platform == 'win32':
  52. # 检查是否有按键按下
  53. if msvcrt.kbhit():
  54. # 读取按下的字符(msvcrt.getwch 是非阻塞读取宽字符)
  55. ch = msvcrt.getwch().lower()
  56. if ch == 'p':
  57. return 'pause'
  58. if ch == 'q':
  59. return 'quit'
  60. # 如果是其他按键,可以选择消耗掉或者忽略
  61. return None
  62. else:
  63. # Unix/Mac 逻辑
  64. ready, _, _ = select.select([sys.stdin], [], [], 0)
  65. if ready:
  66. line = sys.stdin.readline().strip().lower()
  67. if line in ('p', 'pause'):
  68. return 'pause'
  69. if line in ('q', 'quit'):
  70. return 'quit'
  71. return None
  72. # ===== 交互菜单 =====
  73. def _read_multiline() -> str:
  74. """
  75. 读取多行输入,以连续两次回车(空行)结束。
  76. 单次回车只是换行,不会提前终止输入。
  77. """
  78. print("\n请输入干预消息(连续输入两次回车结束):")
  79. lines: list[str] = []
  80. blank_count = 0
  81. while True:
  82. line = input()
  83. if line == "":
  84. blank_count += 1
  85. if blank_count >= 2:
  86. break
  87. lines.append("") # 保留单个空行
  88. else:
  89. blank_count = 0
  90. lines.append(line)
  91. # 去掉尾部多余空行
  92. while lines and lines[-1] == "":
  93. lines.pop()
  94. return "\n".join(lines)
  95. async def show_interactive_menu(
  96. runner: AgentRunner,
  97. trace_id: str,
  98. current_sequence: int,
  99. store: FileSystemTraceStore,
  100. ):
  101. """
  102. 显示交互式菜单,让用户选择操作。
  103. 进入本函数前不再有后台线程占用 stdin,所以 input() 能正常工作。
  104. """
  105. print("\n" + "=" * 60)
  106. print(" 执行已暂停")
  107. print("=" * 60)
  108. print("请选择操作:")
  109. print(" 1. 插入干预消息并继续")
  110. print(" 2. 触发经验总结(reflect)")
  111. print(" 3. 查看当前 GoalTree")
  112. print(" 4. 手动压缩上下文(compact)")
  113. print(" 5. 继续执行")
  114. print(" 6. 停止执行")
  115. print(" 7. 经验库瘦身(合并相似经验)")
  116. print("=" * 60)
  117. while True:
  118. choice = input("请输入选项 (1-7): ").strip()
  119. if choice == "1":
  120. text = _read_multiline()
  121. if not text:
  122. print("未输入任何内容,取消操作")
  123. continue
  124. print(f"\n将插入干预消息并继续执行...")
  125. # 从 store 读取实际的 last_sequence,避免本地 current_sequence 过时
  126. live_trace = await store.get_trace(trace_id)
  127. actual_sequence = live_trace.last_sequence if live_trace and live_trace.last_sequence else current_sequence
  128. return {
  129. "action": "continue",
  130. "messages": [{"role": "user", "content": text}],
  131. "after_sequence": actual_sequence,
  132. }
  133. elif choice == "2":
  134. # 触发经验总结
  135. print("\n触发经验总结...")
  136. focus = input("请输入反思重点(可选,直接回车跳过): ").strip()
  137. # 触发反思
  138. await perform_reflection(runner, store, trace_id, focus=focus)
  139. continue
  140. elif choice == "3":
  141. goal_tree = await store.get_goal_tree(trace_id)
  142. if goal_tree and goal_tree.goals:
  143. print("\n当前 GoalTree:")
  144. print(goal_tree.to_prompt())
  145. else:
  146. print("\n当前没有 Goal")
  147. continue
  148. elif choice == "4":
  149. # 手动压缩上下文
  150. print("\n正在执行上下文压缩(compact)...")
  151. try:
  152. goal_tree = await store.get_goal_tree(trace_id)
  153. trace = await store.get_trace(trace_id)
  154. if not trace:
  155. print("未找到 Trace,无法压缩")
  156. continue
  157. # 重建当前 history
  158. main_path = await store.get_main_path_messages(trace_id, trace.head_sequence)
  159. history = [msg.to_llm_dict() for msg in main_path]
  160. head_seq = main_path[-1].sequence if main_path else 0
  161. next_seq = head_seq + 1
  162. compact_config = RunConfig(trace_id=trace_id)
  163. new_history, new_head, new_seq = await runner._compress_history(
  164. trace_id=trace_id,
  165. history=history,
  166. goal_tree=goal_tree,
  167. config=compact_config,
  168. sequence=next_seq,
  169. head_seq=head_seq,
  170. )
  171. print(f"\n✅ 压缩完成: {len(history)} 条消息 → {len(new_history)} 条")
  172. except Exception as e:
  173. print(f"\n❌ 压缩失败: {e}")
  174. continue
  175. elif choice == "5":
  176. print("\n继续执行...")
  177. return {"action": "continue"}
  178. elif choice == "6":
  179. print("\n停止执行...")
  180. return {"action": "stop"}
  181. elif choice == "7":
  182. # 经验库瘦身
  183. print("\n正在执行经验库瘦身...")
  184. from agent.tools.builtin.experience import slim_experiences
  185. try:
  186. result = await slim_experiences()
  187. print(f"\n{result}")
  188. except Exception as e:
  189. print(f"\n经验库瘦身失败: {e}")
  190. continue
  191. else:
  192. print("无效选项,请重新输入")
  193. async def perform_reflection(runner: AgentRunner, store: FileSystemTraceStore, trace_id: str, focus: str = ""):
  194. """执行经验总结并保存(带结构化 YAML 解析)"""
  195. from agent.trace.compaction import build_reflect_prompt
  196. import re as _re2
  197. import uuid as _uuid2
  198. from datetime import datetime
  199. trace = await store.get_trace(trace_id)
  200. if not trace:
  201. return
  202. saved_head = trace.head_sequence
  203. prompt = build_reflect_prompt()
  204. if focus:
  205. prompt += f"\n\n请特别关注:{focus}"
  206. print("正在生成反思...")
  207. reflect_cfg = RunConfig(trace_id=trace_id, max_iterations=1, tools=[])
  208. reflection_text = ""
  209. try:
  210. result = await runner.run_result(
  211. messages=[{"role": "user", "content": prompt}],
  212. config=reflect_cfg,
  213. )
  214. reflection_text = result.get("summary", "")
  215. finally:
  216. # 恢复 head_sequence(反思消息成为侧枝,不污染主对话)
  217. await store.update_trace(trace_id, head_sequence=saved_head)
  218. # 追加到 experiences 文件
  219. if reflection_text:
  220. # experiences_path = runner.experiences_path # 已废弃,使用知识系统 or "./.cache/experiences_restore.md"
  221. os.makedirs(os.path.dirname(experiences_path), exist_ok=True)
  222. pattern = r"-\s*\[(?P<tags>.*?)\]\s*(?P<content>.*)"
  223. matches = list(_re2.finditer(pattern, reflection_text))
  224. structured_entries = []
  225. for match in matches:
  226. tags_str = match.group("tags")
  227. content = match.group("content")
  228. intent_match = _re2.search(r"intent:\s*(.*?)(?:,|$)", tags_str, _re2.IGNORECASE)
  229. state_match = _re2.search(r"state:\s*(.*?)(?:,|$)", tags_str, _re2.IGNORECASE)
  230. intents = [i.strip() for i in intent_match.group(1).split(",")] if intent_match and intent_match.group(1) else []
  231. states = [s.strip() for s in state_match.group(1).split(",")] if state_match and state_match.group(1) else []
  232. ex_id = f"ex_{datetime.now().strftime('%m%d%H%M')}_{_uuid2.uuid4().hex[:4]}"
  233. entry = f"---\nid: {ex_id}\ntrace_id: {trace_id}\ntags: {{intent: {intents}, state: {states}}}\nmetrics: {{helpful: 1, harmful: 0}}\ncreated_at: {datetime.now().strftime('%Y-%m-%d %H:%M:%S')}\n---\n- {content}\n- 经验ID: [{ex_id}]"
  234. structured_entries.append(entry)
  235. if structured_entries:
  236. final_output = "\n\n" + "\n\n".join(structured_entries)
  237. with open(experiences_path, "a", encoding="utf-8") as f:
  238. f.write(final_output)
  239. print(f"\n✅ 提取了 {len(structured_entries)} 条经验,已结构化并保存到: {experiences_path}")
  240. print("\n--- 反思内容(结构化后) ---")
  241. print(final_output.strip())
  242. print("--- 结束 ---\n")
  243. else:
  244. print("\n⚠️ 未能解析出符合格式的经验条目,已保存原始纯文本以供检查。")
  245. header = f"\n\n---\n\n## [Raw] {trace_id} ({datetime.now().strftime('%Y-%m-%d %H:%M')})\n\n"
  246. with open(experiences_path, "a", encoding="utf-8") as f:
  247. f.write(header + reflection_text + "\n")
  248. print(reflection_text)
  249. else:
  250. print("未生成反思内容")
  251. async def main():
  252. # 解析命令行参数
  253. parser = argparse.ArgumentParser(description="任务 (Agent 模式 + 交互增强)")
  254. parser.add_argument(
  255. "--trace", type=str, default=None,
  256. help="已有的 Trace ID,用于恢复继续执行(不指定则新建)",
  257. )
  258. args = parser.parse_args()
  259. async def init_project_env(user_messages: list = None) -> tuple:
  260. """供外部 (API Server) 调用的初始化环境与 Runner 方法"""
  261. from agent.core.runner import AgentRunner, RunConfig
  262. from agent.trace import FileSystemTraceStore
  263. from agent.llm import create_openrouter_llm_call
  264. from agent.memory.models import AgentPreset
  265. from agent.memory.protocols import register_preset
  266. from agent.tools.builtin.browser.baseClass import init_browser_session
  267. from examples.restore.prompt import SimplePrompt
  268. base_dir = Path(__file__).parent
  269. prompt_path = base_dir / "production.prompt"
  270. skills_dir = str(base_dir / "skills")
  271. # 1. 加载 presets
  272. presets_path = base_dir / "presets.json"
  273. if presets_path.exists():
  274. import json
  275. with open(presets_path, "r", encoding="utf-8") as f:
  276. project_presets = json.load(f)
  277. for name, cfg in project_presets.items():
  278. register_preset(name, AgentPreset(**cfg))
  279. print(f" - 已加载项目 presets: {list(project_presets.keys())}")
  280. # Skills 目录(可选:用户自定义 skills)
  281. # 注意:内置 skills(agent/skill/skills/)会自动加载
  282. skills_dir = str(base_dir / "skills")
  283. print("=" * 60)
  284. print("mcp/skills 发现、获取、评价 分析任务 (Agent 模式 + 交互增强)")
  285. print("=" * 60)
  286. print()
  287. print("💡 交互提示:")
  288. print(" - 执行过程中输入 'p' 或 'pause' 暂停并进入交互模式")
  289. print(" - 执行过程中输入 'q' 或 'quit' 停止执行")
  290. print("=" * 60)
  291. print()
  292. # 1. 加载 prompt
  293. print("1. 加载 prompt 配置...")
  294. prompt = SimplePrompt(prompt_path)
  295. messages = prompt.build_messages()
  296. # 如果外部传入了消息(比如前端新建任务输入了内容),追加在系统提示词之后
  297. if user_messages:
  298. messages.extend(user_messages)
  299. # 4. 初始化 Browser (如果已经存在 session,init_browser_session 内部会处理)
  300. # Windows 平台自动使用云浏览器(本地浏览器在 Windows 上有兼容性问题)
  301. import platform
  302. actual_browser_type = BROWSER_TYPE
  303. if platform.system() == "Windows" and BROWSER_TYPE == "local":
  304. actual_browser_type = "cloud"
  305. print("⚠️ Windows 平台检测到本地浏览器配置,自动切换为云浏览器模式")
  306. browser_mode_name = "云浏览器" if actual_browser_type == "cloud" else "本地浏览器"
  307. print(f"🌐 正在初始化{browser_mode_name}...")
  308. await init_browser_session(
  309. browser_type=actual_browser_type,
  310. headless=HEADLESS,
  311. url="about:blank"
  312. )
  313. print(f"✅ {browser_mode_name}初始化完成\n")
  314. # 5. 创建 Runner
  315. store = FileSystemTraceStore(base_path=".trace")
  316. model_name = prompt.config.get('model', 'sonnet-4.5')
  317. if not model_name.startswith("anthropic/"):
  318. model_name = f"anthropic/claude-{model_name}"
  319. runner = AgentRunner(
  320. trace_store=store,
  321. llm_call=create_openrouter_llm_call(model=model_name),
  322. skills_dir=skills_dir,
  323. debug=True
  324. )
  325. config = RunConfig(
  326. model=f"claude-{prompt.config.get('model', 'sonnet-4.5')}",
  327. temperature=float(prompt.config.get('temperature', 0.3)),
  328. max_iterations=1000,
  329. name="社交媒体内容解构、建构、评估任务",
  330. enable_research_flow=True,
  331. )
  332. return runner, messages, config
  333. async def main():
  334. parser = argparse.ArgumentParser(description="运行分析 AgentTask")
  335. parser.add_argument(
  336. "--trace", type=str, default=None,
  337. help="已有的 Trace ID,用于恢复继续执行(不指定则新建)",
  338. )
  339. args = parser.parse_args()
  340. # 通过公用方法初始化环境
  341. print("正在初始化项目环境...")
  342. runner, messages, default_config = await init_project_env()
  343. store = runner.trace_store
  344. # 4. 判断是新建还是恢复
  345. resume_trace_id = args.trace
  346. if resume_trace_id:
  347. # 验证 trace 存在
  348. existing_trace = await store.get_trace(resume_trace_id)
  349. if not existing_trace:
  350. print(f"\n错误: Trace 不存在: {resume_trace_id}")
  351. sys.exit(1)
  352. print(f"4. 恢复已有 Trace: {resume_trace_id[:8]}...")
  353. print(f" - 状态: {existing_trace.status}")
  354. print(f" - 消息数: {existing_trace.total_messages}")
  355. print(f" - 任务: {existing_trace.task}")
  356. else:
  357. print(f"4. 启动新 Agent 模式...")
  358. print()
  359. final_response = ""
  360. current_trace_id = resume_trace_id
  361. current_sequence = 0
  362. should_exit = False
  363. try:
  364. # 恢复模式:不发送初始消息,只指定 trace_id 续跑
  365. if resume_trace_id:
  366. initial_messages = None # None = 未设置,触发早期菜单检查
  367. config = RunConfig(
  368. model=f"claude-{prompt.config.get('model', 'sonnet-4.5')}",
  369. temperature=float(prompt.config.get('temperature', 0.3)),
  370. max_iterations=1000,
  371. trace_id=resume_trace_id,
  372. )
  373. else:
  374. initial_messages = messages
  375. config = default_config
  376. while not should_exit:
  377. # 如果是续跑,需要指定 trace_id
  378. if current_trace_id:
  379. config.trace_id = current_trace_id
  380. # 清理上一轮的响应,避免失败后显示旧内容
  381. final_response = ""
  382. # 如果 trace 已完成/失败且没有新消息,直接进入交互菜单
  383. # 注意:initial_messages 为 None 表示未设置(首次加载),[] 表示有意为空(用户选择"继续")
  384. if current_trace_id and initial_messages is None:
  385. check_trace = await store.get_trace(current_trace_id)
  386. if check_trace and check_trace.status in ("completed", "failed"):
  387. if check_trace.status == "completed":
  388. print(f"\n[Trace] ✅ 已完成")
  389. print(f" - Total messages: {check_trace.total_messages}")
  390. print(f" - Total cost: ${check_trace.total_cost:.4f}")
  391. else:
  392. print(f"\n[Trace] ❌ 已失败: {check_trace.error_message}")
  393. current_sequence = check_trace.head_sequence
  394. menu_result = await show_interactive_menu(
  395. runner, current_trace_id, current_sequence, store
  396. )
  397. if menu_result["action"] == "stop":
  398. break
  399. elif menu_result["action"] == "continue":
  400. new_messages = menu_result.get("messages", [])
  401. if new_messages:
  402. initial_messages = new_messages
  403. config.after_sequence = menu_result.get("after_sequence")
  404. else:
  405. # 无新消息:对 failed trace 意味着重试,对 completed 意味着继续
  406. initial_messages = []
  407. config.after_sequence = None
  408. continue
  409. break
  410. # 对 stopped/running 等非终态的 trace,直接续跑
  411. initial_messages = []
  412. print(f"{'▶️ 开始执行...' if not current_trace_id else '▶️ 继续执行...'}")
  413. # 执行 Agent
  414. paused = False
  415. try:
  416. async for item in runner.run(messages=initial_messages, config=config):
  417. # 检查用户中断
  418. cmd = check_stdin()
  419. if cmd == 'pause':
  420. # 暂停执行
  421. print("\n⏸️ 正在暂停执行...")
  422. if current_trace_id:
  423. await runner.stop(current_trace_id)
  424. # 等待一小段时间让 runner 处理 stop 信号
  425. await asyncio.sleep(0.5)
  426. # 显示交互菜单
  427. menu_result = await show_interactive_menu(
  428. runner, current_trace_id, current_sequence, store
  429. )
  430. if menu_result["action"] == "stop":
  431. should_exit = True
  432. paused = True
  433. break
  434. elif menu_result["action"] == "continue":
  435. # 检查是否有新消息需要插入
  436. new_messages = menu_result.get("messages", [])
  437. if new_messages:
  438. # 有干预消息,需要重新启动循环
  439. initial_messages = new_messages
  440. after_seq = menu_result.get("after_sequence")
  441. if after_seq is not None:
  442. config.after_sequence = after_seq
  443. paused = True
  444. break
  445. else:
  446. # 没有新消息,需要重启执行
  447. initial_messages = []
  448. config.after_sequence = None
  449. paused = True
  450. break
  451. elif cmd == 'quit':
  452. print("\n🛑 用户请求停止...")
  453. if current_trace_id:
  454. await runner.stop(current_trace_id)
  455. should_exit = True
  456. break
  457. # 处理 Trace 对象(整体状态变化)
  458. if isinstance(item, Trace):
  459. current_trace_id = item.trace_id
  460. if item.status == "running":
  461. print(f"[Trace] 开始: {item.trace_id[:8]}...")
  462. elif item.status == "completed":
  463. print(f"\n[Trace] ✅ 完成")
  464. print(f" - Total messages: {item.total_messages}")
  465. print(f" - Total tokens: {item.total_tokens}")
  466. print(f" - Total cost: ${item.total_cost:.4f}")
  467. elif item.status == "failed":
  468. print(f"\n[Trace] ❌ 失败: {item.error_message}")
  469. elif item.status == "stopped":
  470. print(f"\n[Trace] ⏸️ 已停止")
  471. # 处理 Message 对象(执行过程)
  472. elif isinstance(item, Message):
  473. current_sequence = item.sequence
  474. if item.role == "assistant":
  475. content = item.content
  476. if isinstance(content, dict):
  477. text = content.get("text", "")
  478. tool_calls = content.get("tool_calls")
  479. if text and not tool_calls:
  480. # 纯文本回复(最终响应)
  481. final_response = text
  482. print(f"\n[Response] Agent 回复:")
  483. print(text)
  484. elif text:
  485. preview = text[:150] + "..." if len(text) > 150 else text
  486. print(f"[Assistant] {preview}")
  487. if tool_calls:
  488. for tc in tool_calls:
  489. tool_name = tc.get("function", {}).get("name", "unknown")
  490. print(f"[Tool Call] 🛠️ {tool_name}")
  491. elif item.role == "tool":
  492. content = item.content
  493. if isinstance(content, dict):
  494. tool_name = content.get("tool_name", "unknown")
  495. print(f"[Tool Result] ✅ {tool_name}")
  496. if item.description:
  497. desc = item.description[:80] if len(item.description) > 80 else item.description
  498. print(f" {desc}...")
  499. except Exception as e:
  500. print(f"\n执行出错: {e}")
  501. import traceback
  502. traceback.print_exc()
  503. # paused → 菜单已在暂停时内联显示过
  504. if paused:
  505. if should_exit:
  506. break
  507. continue
  508. # quit → 直接退出
  509. if should_exit:
  510. break
  511. # Runner 退出(完成/失败/停止/异常)→ 显示交互菜单
  512. if current_trace_id:
  513. # 🌟 新增:自动触发反思的生命周期钩子
  514. check_trace = await store.get_trace(current_trace_id)
  515. if check_trace and check_trace.status in ("completed", "failed"):
  516. print(f"\n⚙️ 任务已结束 (状态: {check_trace.status}),正在自动触发经验总结...")
  517. # 如果是失败状态,自动带上针对性的 focus 提示
  518. auto_focus = "本次任务执行失败了,请重点反思失败的原因、踩坑点以及未来应如何避免。" if check_trace.status == "failed" else ""
  519. await perform_reflection(runner, store, current_trace_id, focus=auto_focus)
  520. # 自动反思结束后,依然弹出菜单,让用户决定是彻底退出(6)还是查看总结(3)
  521. menu_result = await show_interactive_menu(
  522. runner, current_trace_id, current_sequence, store
  523. )
  524. if menu_result["action"] == "stop":
  525. break
  526. elif menu_result["action"] == "continue":
  527. new_messages = menu_result.get("messages", [])
  528. if new_messages:
  529. initial_messages = new_messages
  530. config.after_sequence = menu_result.get("after_sequence")
  531. else:
  532. initial_messages = []
  533. config.after_sequence = None
  534. continue
  535. break
  536. except KeyboardInterrupt:
  537. print("\n\n用户中断 (Ctrl+C)")
  538. if current_trace_id:
  539. await runner.stop(current_trace_id)
  540. # 6. 输出结果
  541. if final_response:
  542. print()
  543. print("=" * 60)
  544. print("Agent 响应:")
  545. print("=" * 60)
  546. print(final_response)
  547. print("=" * 60)
  548. print()
  549. # 7. 保存结果
  550. output_file = output_dir / "result.txt"
  551. with open(output_file, 'w', encoding='utf-8') as f:
  552. f.write(final_response)
  553. print(f"✓ 结果已保存到: {output_file}")
  554. print()
  555. # 可视化提示
  556. if current_trace_id:
  557. print("=" * 60)
  558. print("可视化 Step Tree:")
  559. print("=" * 60)
  560. print("1. 启动 API Server:")
  561. print(" python3 api_server.py")
  562. print()
  563. print("2. 浏览器访问:")
  564. print(" http://43.106.118.91:8000/api/traces")
  565. print()
  566. print(f"3. Trace ID: {current_trace_id}")
  567. print("=" * 60)
  568. if __name__ == "__main__":
  569. asyncio.run(main())