File size: 16,167 Bytes
c730636 88f05c4 3a73bd4 c730636 aa2cd6e 3a73bd4 77fd5a2 3a73bd4 c730636 3a73bd4 c730636 ed7ddca 3a73bd4 ed7ddca 3a73bd4 ed7ddca 3a73bd4 ed7ddca 3a73bd4 ed7ddca fdd5b1f 3a73bd4 fdd5b1f 3a73bd4 fdd5b1f 3a73bd4 fdd5b1f 3a73bd4 fdd5b1f 3a73bd4 fdd5b1f 3a73bd4 fdd5b1f 3a73bd4 4c3fbd3 f732b24 4c3fbd3 f732b24 4c3fbd3 3a73bd4 4c3fbd3 f732b24 4c3fbd3 db1adf2 4c3fbd3 f732b24 4c3fbd3 5794b7d 4c3fbd3 3a73bd4 2dea46b e892648 3a73bd4 e892648 3a73bd4 2dea46b e892648 0c8e311 57c8ad1 0c8e311 2dea46b e892648 f732b24 3a73bd4 f732b24 5794b7d f732b24 5794b7d fba9e37 5794b7d 3a73bd4 5794b7d 2ea6e76 fba9e37 5794b7d 0c8e311 5794b7d 0c8e311 5794b7d f732b24 c730636 |
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 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 |
from __future__ import annotations
# Project by Nymbo
import json
import os
import sys
import threading
import time
from datetime import datetime, timedelta
from typing import Any
import gradio as gr
class RateLimiter:
"""Best-effort in-process rate limiter for HTTP-heavy tools."""
def __init__(self, requests_per_minute: int = 30) -> None:
self.requests_per_minute = requests_per_minute
self._requests: list[datetime] = []
self._lock = threading.Lock()
def acquire(self) -> None:
now = datetime.now()
with self._lock:
self._requests = [req for req in self._requests if now - req < timedelta(minutes=1)]
if len(self._requests) >= self.requests_per_minute:
wait_time = 60 - (now - self._requests[0]).total_seconds()
if wait_time > 0:
time.sleep(max(1, wait_time))
self._requests.append(now)
_search_rate_limiter = RateLimiter(requests_per_minute=20)
_fetch_rate_limiter = RateLimiter(requests_per_minute=25)
def _truncate_for_log(value: str, limit: int = 500) -> str:
if len(value) <= limit:
return value
return value[: limit - 1] + "…"
def _serialize_input(val: Any) -> Any:
try:
if isinstance(val, (str, int, float, bool)) or val is None:
return val
if isinstance(val, (list, tuple)):
return [_serialize_input(v) for v in list(val)[:10]] + (["…"] if len(val) > 10 else [])
if isinstance(val, dict):
out: dict[str, Any] = {}
for i, (k, v) in enumerate(val.items()):
if i >= 12:
out["…"] = "…"
break
out[str(k)] = _serialize_input(v)
return out
return repr(val)[:120]
except Exception:
return "<unserializable>"
def _log_call_start(func_name: str, **kwargs: Any) -> None:
try:
compact = {k: _serialize_input(v) for k, v in kwargs.items()}
print(f"[TOOL CALL] {func_name} inputs: {json.dumps(compact, ensure_ascii=False)[:800]}", flush=True)
except Exception as exc:
print(f"[TOOL CALL] {func_name} (failed to log inputs: {exc})", flush=True)
def _log_call_end(func_name: str, output_desc: str) -> None:
try:
print(f"[TOOL RESULT] {func_name} output: {output_desc}", flush=True)
except Exception as exc:
print(f"[TOOL RESULT] {func_name} (failed to log output: {exc})", flush=True)
# Ensure Tools modules can import 'app' when this file is executed as a script
# (their code does `from app import ...`).
sys.modules.setdefault("app", sys.modules[__name__])
# Import per-tool interface builders from the Tools package
from Modules.Web_Fetch import build_interface as build_fetch_interface
from Modules.Web_Search import build_interface as build_search_interface
from Modules.Code_Interpreter import build_interface as build_code_interface
from Modules.Memory_Manager import build_interface as build_memory_interface
from Modules.Generate_Speech import build_interface as build_speech_interface
from Modules.Generate_Image import build_interface as build_image_interface
from Modules.Generate_Video import build_interface as build_video_interface
from Modules.Deep_Research import build_interface as build_research_interface
# Optional environment flags used to conditionally show API schemas (unchanged behavior)
HF_IMAGE_TOKEN = bool(os.getenv("HF_READ_TOKEN"))
HF_VIDEO_TOKEN = bool(os.getenv("HF_READ_TOKEN") or os.getenv("HF_TOKEN"))
HF_TEXTGEN_TOKEN = bool(os.getenv("HF_READ_TOKEN") or os.getenv("HF_TOKEN"))
# CSS copied from prior app.py to preserve exact look-and-feel
CSS_STYLES = """
/* Style only the top-level app title to avoid affecting headings elsewhere */
.app-title {
text-align: center;
/* Ensure main title appears first, then our two subtitle lines */
display: grid;
justify-items: center;
}
/* Place bold tools list on line 2, normal auth note on line 3 (below title) */
.app-title::before {
grid-row: 2;
content: "Web Fetch | Web Search | Code Interpreter | Memory Manager | Generate Speech | Generate Image | Generate Video | Deep Research";
display: block;
font-size: 1rem;
font-weight: 700;
opacity: 0.9;
margin-top: 6px;
white-space: pre-wrap;
}
.app-title::after {
grid-row: 3;
content: "General purpose tools useful for any agent.";
display: block;
font-size: 1rem;
font-weight: 400;
opacity: 0.9;
margin-top: 2px;
white-space: pre-wrap;
}
/* Historical safeguard: if any h1 appears inside tabs, don't attach pseudo content */
.gradio-container [role=\"tabpanel\"] h1::before,
.gradio-container [role=\"tabpanel\"] h1::after {
content: none !important;
}
/* Information accordion - modern info cards */
.info-accordion {
margin: 8px 0 2px;
}
.info-grid {
display: grid;
gap: 12px;
/* Force a 2x2 layout on medium+ screens */
grid-template-columns: repeat(2, minmax(0, 1fr));
align-items: stretch;
}
/* On narrow screens, stack into a single column */
@media (max-width: 800px) {
.info-grid {
grid-template-columns: 1fr;
}
}
.info-card {
display: flex;
gap: 14px;
padding: 14px 16px;
border: 1px solid rgba(255, 255, 255, 0.08);
background: linear-gradient(180deg, rgba(255,255,255,0.05), rgba(255,255,255,0.03));
border-radius: 12px;
box-shadow: 0 1px 2px rgba(0, 0, 0, 0.04);
position: relative;
overflow: hidden;
backdrop-filter: blur(2px);
}
.info-card::before {
content: "";
position: absolute;
inset: 0;
border-radius: 12px;
pointer-events: none;
background: linear-gradient(90deg, rgba(99,102,241,0.06), rgba(59,130,246,0.05));
}
.info-card__icon {
font-size: 24px;
flex: 0 0 28px;
line-height: 1;
filter: saturate(1.1);
}
.info-card__body {
min-width: 0;
}
.info-card__body h3 {
margin: 0 0 6px;
font-size: 1.05rem;
}
.info-card__body p {
margin: 6px 0;
opacity: 0.95;
}
/* Readable code blocks inside info cards */
.info-card pre {
margin: 8px 0;
padding: 10px 12px;
background: rgba(20, 20, 30, 0.55);
border: 1px solid rgba(255, 255, 255, 0.08);
border-radius: 10px;
overflow-x: auto;
white-space: pre;
}
.info-card code {
font-family: ui-monospace, SFMono-Regular, Menlo, Monaco, Consolas, "Liberation Mono", monospace;
font-size: 0.95em;
}
.info-card pre code {
display: block;
}
.info-list {
margin: 6px 0 0 18px;
padding: 0;
}
.info-hint {
margin-top: 8px;
font-size: 0.9em;
opacity: 0.9;
}
/* Light theme adjustments */
@media (prefers-color-scheme: light) {
.info-card {
border-color: rgba(0, 0, 0, 0.08);
background: linear-gradient(180deg, rgba(255,255,255,0.95), rgba(255,255,255,0.9));
}
.info-card::before {
background: linear-gradient(90deg, rgba(99,102,241,0.08), rgba(59,130,246,0.06));
}
.info-card pre {
background: rgba(245, 246, 250, 0.95);
border-color: rgba(0, 0, 0, 0.08);
}
}
/* Tabs - modern, evenly distributed full-width buttons */
.gradio-container [role="tablist"] {
display: flex;
gap: 8px;
flex-wrap: nowrap;
align-items: stretch;
width: 100%;
}
.gradio-container [role="tab"] {
flex: 1 1 0;
min-width: 0; /* allow shrinking to fit */
display: inline-flex;
justify-content: center;
align-items: center;
padding: 10px 12px;
border-radius: 10px;
border: 1px solid rgba(255, 255, 255, 0.08);
background: linear-gradient(180deg, rgba(255,255,255,0.05), rgba(255,255,255,0.03));
transition: background .2s ease, border-color .2s ease, box-shadow .2s ease, transform .06s ease;
overflow: hidden;
white-space: nowrap;
text-overflow: ellipsis;
}
.gradio-container [role="tab"]:hover {
border-color: rgba(99,102,241,0.28);
background: linear-gradient(180deg, rgba(99,102,241,0.10), rgba(59,130,246,0.08));
}
.gradio-container [role="tab"][aria-selected="true"] {
border-color: rgba(99,102,241,0.35);
box-shadow: inset 0 0 0 1px rgba(99,102,241,0.25), 0 1px 2px rgba(0,0,0,0.25);
background: linear-gradient(180deg, rgba(99,102,241,0.18), rgba(59,130,246,0.14));
color: rgba(255, 255, 255, 0.95) !important;
}
.gradio-container [role="tab"]:active {
transform: translateY(0.5px);
}
.gradio-container [role="tab"]:focus-visible {
outline: none;
box-shadow: 0 0 0 2px rgba(59,130,246,0.35);
}
@media (prefers-color-scheme: light) {
.gradio-container [role="tab"] {
border-color: rgba(0, 0, 0, 0.08);
background: linear-gradient(180deg, rgba(255,255,255,0.95), rgba(255,255,255,0.90));
}
.gradio-container [role="tab"]:hover {
border-color: rgba(99,102,241,0.25);
background: linear-gradient(180deg, rgba(99,102,241,0.08), rgba(59,130,246,0.06));
}
.gradio-container [role="tab"][aria-selected="true"] {
border-color: rgba(99,102,241,0.35);
background: linear-gradient(180deg, rgba(99,102,241,0.16), rgba(59,130,246,0.12));
color: rgba(0, 0, 0, 0.85) !important;
}
}
"""
# Build each tab interface using modular builders
fetch_interface = build_fetch_interface()
concise_interface = build_search_interface()
code_interface = build_code_interface()
memory_interface = build_memory_interface()
kokoro_interface = build_speech_interface()
image_generation_interface = build_image_interface()
video_generation_interface = build_video_interface()
deep_research_interface = build_research_interface()
_interfaces = [
fetch_interface,
concise_interface,
code_interface,
memory_interface,
kokoro_interface,
image_generation_interface,
video_generation_interface,
deep_research_interface,
]
_tab_names = [
"Web Fetch",
"Web Search",
"Code Interpreter",
"Memory Manager",
"Generate Speech",
"Generate Image",
"Generate Video",
"Deep Research",
]
with gr.Blocks(title="Nymbo/Tools MCP", theme="Nymbo/Nymbo_Theme", css=CSS_STYLES) as demo:
# Title and information panel unchanged to preserve UI
gr.HTML("<h1 class='app-title'>Nymbo/Tools MCP</h1>")
with gr.Accordion("Information", open=False):
gr.HTML(
"""
<div class="info-accordion">
<div class="info-grid">
<section class="info-card">
<div class="info-card__icon">🔐</div>
<div class="info-card__body">
<h3>Enable Image & Video Generation</h3>
<p>
The <code>Generate_Image</code> and <code>Generate_Video</code> tools require a
<code>HF_READ_TOKEN</code> set as a secret or environment variable.
</p>
<ul class="info-list">
<li>Duplicate this Space and add a HF token with model read access.</li>
<li>Or run locally with <code>HF_READ_TOKEN</code> in your environment.</li>
</ul>
<div class="info-hint">
These tools are hidden as MCP tools without authentication to keep tool lists tidy, but remain visible in the UI.
</div>
</div>
</section>
<section class="info-card">
<div class="info-card__icon">🧠</div>
<div class="info-card__body">
<h3>Persistent Memories</h3>
<p>
In this public demo, memories are stored in the Space's running container and are cleared when the Space restarts.
Content is visible to everyone—avoid personal data.
</p>
<p>
When running locally, memories are saved to <code>memories.json</code> at the repo root for privacy.
</p>
</div>
</section>
<section class="info-card">
<div class="info-card__icon">🔗</div>
<div class="info-card__body">
<h3>Connecting from an MCP Client</h3>
<p>
This Space also runs as a Model Context Protocol (MCP) server. Point your client to:
<br/>
<code>https://mcp.nymbo.net/gradio_api/mcp/</code>
</p>
<p>Example client configuration:</p>
<pre><code class="language-json">{
"mcpServers": {
"nymbo-tools": {
"url": "https://mcp.nymbo.net/gradio_api/mcp/"
}
}
}</code></pre>
</div>
</section>
<section class="info-card">
<div class="info-card__icon">🛠️</div>
<div class="info-card__body">
<h3>Tool Notes & Kokoro Voice Legend</h3>
<p>
No authentication required for: <code>Web_Fetch</code>, <code>Web_Search</code>,
<code>Code_Interpreter</code>, and <code>Generate_Speech</code>.
</p>
<p><strong>Kokoro voice prefixes</strong></p>
<ul class="info-list" style="display:grid;grid-template-columns:repeat(2,minmax(160px,1fr));gap:6px 16px;">
<li><code>af</code> — American female</li>
<li><code>am</code> — American male</li>
<li><code>bf</code> — British female</li>
<li><code>bm</code> — British male</li>
<li><code>ef</code> — European female</li>
<li><code>em</code> — European male</li>
<li><code>hf</code> — Hindi female</li>
<li><code>hm</code> — Hindi male</li>
<li><code>if</code> — Italian female</li>
<li><code>im</code> — Italian male</li>
<li><code>jf</code> — Japanese female</li>
<li><code>jm</code> — Japanese male</li>
<li><code>pf</code> — Portuguese female</li>
<li><code>pm</code> — Portuguese male</li>
<li><code>zf</code> — Chinese female</li>
<li><code>zm</code> — Chinese male</li>
<li><code>ff</code> — French female</li>
</ul>
</div>
</section>
</div>
</div>
"""
)
gr.TabbedInterface(interface_list=_interfaces, tab_names=_tab_names)
if __name__ == "__main__":
demo.launch(mcp_server=True) |