File size: 13,875 Bytes
fae0e6c a1207af fae0e6c ec95818 fae0e6c a1207af fae0e6c a1207af fae0e6c a1207af fae0e6c a1207af fae0e6c bcf467e fae0e6c bcf467e fae0e6c a1207af fae0e6c a1207af fae0e6c a1207af fae0e6c a1207af bcf467e fae0e6c bcf467e fae0e6c a1207af fae0e6c a1207af fae0e6c a1207af fae0e6c ec95818 4e33ff9 bcf467e 4e33ff9 bcf467e fae0e6c bcf467e fae0e6c a1207af fae0e6c ec95818 fae0e6c 4e33ff9 |
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 |
import json
import logging
import uuid
import asyncio
from typing import Optional
import gradio as gr
from api import request_sse_stream_parsed, stop_chat
from utils import contains_chinese, replace_chinese_punctuation
logger = logging.getLogger(__name__)
running_tasks = {}
from typing import Optional
# ========================= Gradio Integration =========================
def _init_render_state():
return {
"agent_order": [],
"agents": {}, # agent_id -> {"agent_name": str, "tool_call_order": [], "tools": {tool_call_id: {...}}}
"current_agent_id": None,
"errors": [],
}
def _append_show_text(tool_entry: dict, delta: str):
existing = tool_entry.get("content", "")
tool_entry["content"] = existing + delta
def _is_empty_payload(value) -> bool:
if value is None:
return True
if isinstance(value, str):
stripped = value.strip()
return stripped == "" or stripped in ("{}", "[]")
if isinstance(value, (dict, list, tuple, set)):
return len(value) == 0
return False
def _render_markdown(state: dict) -> str:
lines = []
emoji_cycle = ["๐ง ", "๐", "๐ ๏ธ", "๐", "๐ค", "๐งช", "๐", "๐งญ", "โ๏ธ", "๐งฎ"]
# Render errors first if any
if state.get("errors"):
lines.append("### โ Errors")
for idx, err in enumerate(state["errors"], start=1):
lines.append(f"- **Error {idx}**: {err}")
lines.append("\n---\n")
for idx, agent_id in enumerate(state.get("agent_order", [])):
agent = state["agents"].get(agent_id, {})
agent_name = agent.get("agent_name", "unknown")
emoji = emoji_cycle[idx % len(emoji_cycle)]
lines.append(f"### {emoji} Agent: {agent_name}")
for call_id in agent.get("tool_call_order", []):
call = agent["tools"].get(call_id, {})
tool_name = call.get("tool_name", "unknown_tool")
if tool_name in ("show_text", "message"):
content = call.get("content", "")
if content:
lines.append(content)
else:
tool_input = call.get("input")
tool_output = call.get("output")
has_input = not _is_empty_payload(tool_input)
has_output = not _is_empty_payload(tool_output)
if not has_input and not has_output:
# No parameters, only show tool name with emoji on separate line
if tool_name == "Partial Summary":
lines.append("\n๐กPartial Summary\n")
else:
lines.append(f"\n๐ง{tool_name}\n")
else:
# Show as collapsible details for any tool with input or output
if tool_name == "Partial Summary":
summary = f"๐ก{tool_name} ({call_id[:8]})"
else:
summary = f"๐ง{tool_name} ({call_id[:8]})"
lines.append(f"\n<details><summary>{summary}</summary>")
if has_input:
pretty = json.dumps(tool_input, ensure_ascii=False, indent=2)
lines.append("\n**Input**:\n")
lines.append(f"```json\n{pretty}\n```")
if has_output:
pretty = json.dumps(tool_output, ensure_ascii=False, indent=2)
lines.append("\n**Output**:\n")
lines.append(f"```json\n{pretty}\n```")
lines.append("</details>\n")
lines.append("\n---\n")
return "\n".join(lines) if lines else "Waiting..."
def _update_state_with_event(ui_state: dict, state: dict, message: dict):
event = message.get("event")
data = message.get("data", {})
if event == "job_started":
chat_id = data.get("chat_id")
state["chat_id"] = chat_id
ui_state["chat_id"] = chat_id
elif event == "start_of_agent":
agent_id = data.get("agent_id")
agent_name = data.get("agent_name", "unknown")
if agent_id and agent_id not in state["agents"]:
state["agents"][agent_id] = {
"agent_name": agent_name,
"tool_call_order": [],
"tools": {}
}
state["agent_order"].append(agent_id)
state["current_agent_id"] = agent_id
elif event == "end_of_agent":
# End marker, no special handling needed, keep structure
state["current_agent_id"] = None
elif event == "tool_call":
tool_call_id = data.get("tool_call_id")
tool_name = data.get("tool_name", "unknown_tool")
agent_id = state.get("current_agent_id") or (state["agent_order"][-1] if state["agent_order"] else None)
if not agent_id:
return state
agent = state["agents"].setdefault(agent_id, {"agent_name": "unknown", "tool_call_order": [], "tools": {}})
tools = agent["tools"]
if tool_call_id not in tools:
tools[tool_call_id] = {"tool_name": tool_name}
agent["tool_call_order"].append(tool_call_id)
entry = tools[tool_call_id]
if tool_name == "show_text" and "delta_input" in data:
delta = data.get("delta_input", {}).get("text", "")
_append_show_text(entry, delta)
elif tool_name == "show_text" and "tool_input" in data:
ti = data.get("tool_input")
text = ""
if isinstance(ti,dict):
text = ti.get("text", "") or ((ti.get('result') or {}).get("text") if isinstance(ti.get('result'),dict) else "")
elif isinstance(ti,str):
text = ti
if text:
_append_show_text(entry, text)
else:
# Distinguish between input and output:
if "tool_input" in data:
# Could be input (first time) or output with result (second time)
ti = data["tool_input"]
# If contains result, assign to output; otherwise assign to input
if isinstance(ti, dict) and "result" in ti:
entry["output"] = ti
else:
# Only update input if we don't already have valid input data, or if the new data is not empty
if "input" not in entry or not _is_empty_payload(ti):
entry["input"] = ti
elif event == "message":
# Same incremental text display as show_text, aggregated by message_id
message_id = data.get("message_id")
agent_id = state.get("current_agent_id") or (state["agent_order"][-1] if state["agent_order"] else None)
if not agent_id:
return state
agent = state["agents"].setdefault(agent_id, {"agent_name": "unknown", "tool_call_order": [], "tools": {}})
tools = agent["tools"]
if message_id not in tools:
tools[message_id] = {"tool_name": "message"}
agent["tool_call_order"].append(message_id)
entry = tools[message_id]
delta_content = (data.get("delta") or {}).get("content", "")
if isinstance(delta_content, str) and delta_content:
_append_show_text(entry, delta_content)
elif event == "error":
# Collect errors, display uniformly during rendering
err_text = data.get("error") if isinstance(data, dict) else None
if not err_text:
try:
err_text = json.dumps(data, ensure_ascii=False)
except Exception:
err_text = str(data)
state.setdefault("errors", []).append(err_text)
else:
# Ignore heartbeat or other events
pass
return state
def _spinner_markup(running: bool) -> str:
if not running:
return ""
return (
"\n\n<div style=\"display:flex;align-items:center;gap:8px;color:#555;margin-top:8px;\">"
"<div style=\"width:16px;height:16px;border:2px solid #ddd;border-top-color:#3b82f6;border-radius:50%;animation:spin 0.8s linear infinite;\"></div>"
"<span>Generating...</span>"
"</div>\n<style>@keyframes spin{to{transform:rotate(360deg)}}</style>\n"
)
async def gradio_run(query: str, ui_state: Optional[dict]):
query = replace_chinese_punctuation(query or "")
if contains_chinese(query):
warning_html = (
"<div style='background: #f8f9fa; border-left: 4px solid #ffc107; "
"color: #495057; padding: 16px; border-radius: 6px; margin: 15px 0; "
"font-size: 14px;'>"
"<div style='font-weight: 600; margin-bottom: 4px;'>๐ก Notice</div>"
"<div>We only support English input for the time being. "
"Please translate your question to English and try again.</div>"
"</div>"
)
yield (
warning_html,
gr.update(interactive=True),
gr.update(interactive=False),
ui_state or {"chat_id": None}
)
return
state = _init_render_state()
task_id = str(uuid.uuid4())
if ui_state is None:
ui_state = {"chat_id": None}
ui_state["task_id"] = task_id
# Initial: disable Run, enable Stop, and show spinner at bottom of text
yield (
_render_markdown(state) + _spinner_markup(True),
gr.update(interactive=False),
gr.update(interactive=True),
ui_state
)
try:
current_task = asyncio.current_task()
running_tasks[task_id] = current_task
async for message in request_sse_stream_parsed(query):
if current_task.cancelled():
break
state = _update_state_with_event(ui_state, state, message)
md = _render_markdown(state)
yield (
md + _spinner_markup(True),
gr.update(interactive=False),
gr.update(interactive=True),
ui_state
)
except asyncio.CancelledError:
cancelled_html = (
"<div style='background: #f8f9fa; border-left: 4px solid #17a2b8; "
"color: #495057; padding: 16px; border-radius: 6px; margin: 15px 0; "
"font-size: 14px;'>"
"<div style='font-weight: 600; margin-bottom: 4px;'>๐ Task Cancelled</div>"
"<div>The current task has been cancelled successfully.</div>"
"</div>"
)
existing_content = _render_markdown(state)
final_content = cancelled_html + existing_content if existing_content and existing_content != "Waiting..." else cancelled_html
yield (
final_content,
gr.update(interactive=True),
gr.update(interactive=False),
ui_state
)
return
finally:
if task_id in running_tasks:
del running_tasks[task_id]
# End: enable Run, disable Stop, remove spinner
yield (
_render_markdown(state),
gr.update(interactive=True),
gr.update(interactive=False),
ui_state
)
async def stop_current(ui_state: Optional[dict]):
if ui_state is None:
ui_state = {}
task_id = ui_state.get("task_id")
if task_id and task_id in running_tasks:
task = running_tasks[task_id]
if task and not task.done():
task.cancel()
logger.info(f"Task has been cancelled: {task_id}")
chat_id = ui_state.get("chat_id")
if chat_id:
try:
res = await stop_chat(chat_id)
logger.info(f"Chat has been stopped: {chat_id}, res: {res}")
except Exception as e:
logger.error(f"Stop chat API call failed: {e}")
return (
gr.update(interactive=True),
gr.update(interactive=False),
)
def build_demo():
custom_css = """
#log-view { border: 1px solid #ececec; padding: 12px; border-radius: 8px; scroll-behavior: smooth; }
"""
with gr.Blocks(css=custom_css, title="MiroMind Open-Source Deep Research") as demo:
gr.HTML(
"<div style='text-align:center;font-size:32px;font-weight:bold;margin-bottom:10px;'>MiroMind Open-Source Deep Research</div>"
"<div style='text-align:center;color:#666;font-size:16px;margin-bottom:15px;'>"
"High performance in deep research and tool use.<br>"
"Couple with framework: <a href='https://github.com/MiroMindAI/MiroThinker' target='_blank'>https://github.com/MiroMindAI/MiroThinker</a></div>"
"<div style='text-align:center;margin-bottom:20px;'>"
"<a href='https://huggingface.co/miromind-ai/MiroThinker-32B-DPO-v0.1' target='_blank'>Model</a> | "
"<a href='https://dr.miromind.ai' target='_blank'>Full Featured Website</a> | "
"<a href='https://miromind.ai/blog/miromind-open-deep-research' target='_blank'>Blog</a> | "
"<a href='https://huggingface.co/datasets/miromind-ai/MiroVerse-v0.1' target='_blank'>Data</a></div>"
)
with gr.Row():
inp = gr.Textbox(lines=3, label="Question (English only)")
with gr.Row():
run_btn = gr.Button("Send")
stop_btn = gr.Button("Stop", variant="stop", interactive=False)
out_md = gr.Markdown("", elem_id="log-view")
ui_state = gr.State({"chat_id": None})
# run: outputs -> markdown, run_btn(update), stop_btn(update), ui_state
run_btn.click(fn=gradio_run, inputs=[inp, ui_state], outputs=[out_md, run_btn, stop_btn, ui_state])
# stop: outputs -> run_btn(update), stop_btn(update)
stop_btn.click(fn=stop_current, inputs=[ui_state], outputs=[run_btn, stop_btn])
return demo
if __name__ == "__main__":
demo = build_demo()
demo.launch(favicon_path="./favicon.ico") |