2026-02-21 22:31:43 -08:00
|
|
|
|
"""CLI presentation -- spinner, kawaii faces, tool preview formatting.
|
|
|
|
|
|
|
|
|
|
|
|
Pure display functions and classes with no AIAgent dependency.
|
|
|
|
|
|
Used by AIAgent._execute_tool_calls for CLI feedback.
|
|
|
|
|
|
"""
|
|
|
|
|
|
|
2026-02-22 02:16:11 -08:00
|
|
|
|
import json
|
2026-03-10 06:59:20 -07:00
|
|
|
|
import logging
|
2026-02-21 22:31:43 -08:00
|
|
|
|
import os
|
2026-02-24 03:48:11 -08:00
|
|
|
|
import sys
|
2026-02-21 22:31:43 -08:00
|
|
|
|
import threading
|
|
|
|
|
|
import time
|
|
|
|
|
|
|
2026-02-22 02:16:11 -08:00
|
|
|
|
# ANSI escape codes for coloring tool failure indicators
|
|
|
|
|
|
_RED = "\033[31m"
|
|
|
|
|
|
_RESET = "\033[0m"
|
|
|
|
|
|
|
2026-03-10 06:59:20 -07:00
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
|
2026-02-21 22:31:43 -08:00
|
|
|
|
|
feat: add data-driven skin/theme engine for CLI customization
Adds a skin system that lets users customize the CLI's visual appearance
through data files (YAML) rather than code changes. Skins define: color
palette, spinner faces/verbs/wings, branding text, and tool output prefix.
New files:
- hermes_cli/skin_engine.py — SkinConfig dataclass, built-in skins
(default, ares, mono, slate), YAML loader for user skins from
~/.hermes/skins/, skin management API
- tests/hermes_cli/test_skin_engine.py — 26 tests covering config,
built-in skins, user YAML skins, display integration
Modified files:
- agent/display.py — skin-aware spinner wings, faces, verbs, tool prefix
- hermes_cli/banner.py — skin-aware banner colors (title, border, accent,
dim, text, session) via _skin_color()/_skin_branding() helpers
- cli.py — /skin command handler, skin init from config, skin-aware
response box label and welcome message
- hermes_cli/config.py — add display.skin default
- hermes_cli/commands.py — add /skin to slash commands
Built-in skins:
- default: classic Hermes gold/kawaii
- ares: crimson/bronze war-god theme (from community PRs #579/#725)
- mono: clean grayscale
- slate: cool blue developer theme
User skins: drop a YAML file in ~/.hermes/skins/ with name, colors,
spinner, branding, and tool_prefix fields. Missing values inherit from
the default skin.
2026-03-10 00:37:28 -07:00
|
|
|
|
# =========================================================================
|
|
|
|
|
|
# Skin-aware helpers (lazy import to avoid circular deps)
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
|
|
|
|
|
|
def _get_skin():
|
|
|
|
|
|
"""Get the active skin config, or None if not available."""
|
|
|
|
|
|
try:
|
|
|
|
|
|
from hermes_cli.skin_engine import get_active_skin
|
|
|
|
|
|
return get_active_skin()
|
|
|
|
|
|
except Exception:
|
|
|
|
|
|
return None
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def get_skin_faces(key: str, default: list) -> list:
|
|
|
|
|
|
"""Get spinner face list from active skin, falling back to default."""
|
|
|
|
|
|
skin = _get_skin()
|
|
|
|
|
|
if skin:
|
|
|
|
|
|
faces = skin.get_spinner_list(key)
|
|
|
|
|
|
if faces:
|
|
|
|
|
|
return faces
|
|
|
|
|
|
return default
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def get_skin_verbs() -> list:
|
|
|
|
|
|
"""Get thinking verbs from active skin."""
|
|
|
|
|
|
skin = _get_skin()
|
|
|
|
|
|
if skin:
|
|
|
|
|
|
verbs = skin.get_spinner_list("thinking_verbs")
|
|
|
|
|
|
if verbs:
|
|
|
|
|
|
return verbs
|
|
|
|
|
|
return KawaiiSpinner.THINKING_VERBS
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def get_skin_tool_prefix() -> str:
|
|
|
|
|
|
"""Get tool output prefix character from active skin."""
|
|
|
|
|
|
skin = _get_skin()
|
|
|
|
|
|
if skin:
|
|
|
|
|
|
return skin.tool_prefix
|
|
|
|
|
|
return "┊"
|
|
|
|
|
|
|
|
|
|
|
|
|
2026-03-15 20:21:21 -07:00
|
|
|
|
def get_tool_emoji(tool_name: str, default: str = "⚡") -> str:
|
|
|
|
|
|
"""Get the display emoji for a tool.
|
|
|
|
|
|
|
|
|
|
|
|
Resolution order:
|
|
|
|
|
|
1. Active skin's ``tool_emojis`` overrides (if a skin is loaded)
|
|
|
|
|
|
2. Tool registry's per-tool ``emoji`` field
|
|
|
|
|
|
3. *default* fallback
|
|
|
|
|
|
"""
|
|
|
|
|
|
# 1. Skin override
|
|
|
|
|
|
skin = _get_skin()
|
|
|
|
|
|
if skin and skin.tool_emojis:
|
|
|
|
|
|
override = skin.tool_emojis.get(tool_name)
|
|
|
|
|
|
if override:
|
|
|
|
|
|
return override
|
|
|
|
|
|
# 2. Registry default
|
|
|
|
|
|
try:
|
|
|
|
|
|
from tools.registry import registry
|
|
|
|
|
|
emoji = registry.get_emoji(tool_name, default="")
|
|
|
|
|
|
if emoji:
|
|
|
|
|
|
return emoji
|
|
|
|
|
|
except Exception:
|
|
|
|
|
|
pass
|
|
|
|
|
|
# 3. Hardcoded fallback
|
|
|
|
|
|
return default
|
|
|
|
|
|
|
|
|
|
|
|
|
2026-02-21 22:31:43 -08:00
|
|
|
|
# =========================================================================
|
|
|
|
|
|
# Tool preview (one-line summary of a tool call's primary argument)
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
def _oneline(text: str) -> str:
|
|
|
|
|
|
"""Collapse whitespace (including newlines) to single spaces."""
|
|
|
|
|
|
return " ".join(text.split())
|
|
|
|
|
|
|
|
|
|
|
|
|
2026-03-14 02:56:06 -07:00
|
|
|
|
def build_tool_preview(tool_name: str, args: dict, max_len: int = 40) -> str | None:
|
2026-02-21 22:31:43 -08:00
|
|
|
|
"""Build a short preview of a tool call's primary argument for display."""
|
2026-03-05 23:09:11 +03:00
|
|
|
|
if not args:
|
|
|
|
|
|
return None
|
2026-02-21 22:31:43 -08:00
|
|
|
|
primary_args = {
|
|
|
|
|
|
"terminal": "command", "web_search": "query", "web_extract": "urls",
|
|
|
|
|
|
"read_file": "path", "write_file": "path", "patch": "path",
|
|
|
|
|
|
"search_files": "pattern", "browser_navigate": "url",
|
|
|
|
|
|
"browser_click": "ref", "browser_type": "text",
|
|
|
|
|
|
"image_generate": "prompt", "text_to_speech": "text",
|
|
|
|
|
|
"vision_analyze": "question", "mixture_of_agents": "user_prompt",
|
|
|
|
|
|
"skill_view": "name", "skills_list": "category",
|
2026-03-14 12:21:50 -07:00
|
|
|
|
"cronjob": "action",
|
2026-03-02 05:23:15 -08:00
|
|
|
|
"execute_code": "code", "delegate_task": "goal",
|
|
|
|
|
|
"clarify": "question", "skill_manage": "name",
|
2026-02-21 22:31:43 -08:00
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
if tool_name == "process":
|
|
|
|
|
|
action = args.get("action", "")
|
|
|
|
|
|
sid = args.get("session_id", "")
|
|
|
|
|
|
data = args.get("data", "")
|
|
|
|
|
|
timeout_val = args.get("timeout")
|
|
|
|
|
|
parts = [action]
|
|
|
|
|
|
if sid:
|
|
|
|
|
|
parts.append(sid[:16])
|
|
|
|
|
|
if data:
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
parts.append(f'"{_oneline(data[:20])}"')
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if timeout_val and action == "wait":
|
|
|
|
|
|
parts.append(f"{timeout_val}s")
|
|
|
|
|
|
return " ".join(parts) if parts else None
|
|
|
|
|
|
|
|
|
|
|
|
if tool_name == "todo":
|
|
|
|
|
|
todos_arg = args.get("todos")
|
|
|
|
|
|
merge = args.get("merge", False)
|
|
|
|
|
|
if todos_arg is None:
|
|
|
|
|
|
return "reading task list"
|
|
|
|
|
|
elif merge:
|
|
|
|
|
|
return f"updating {len(todos_arg)} task(s)"
|
|
|
|
|
|
else:
|
|
|
|
|
|
return f"planning {len(todos_arg)} task(s)"
|
|
|
|
|
|
|
|
|
|
|
|
if tool_name == "session_search":
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
query = _oneline(args.get("query", ""))
|
2026-02-21 22:31:43 -08:00
|
|
|
|
return f"recall: \"{query[:25]}{'...' if len(query) > 25 else ''}\""
|
|
|
|
|
|
|
|
|
|
|
|
if tool_name == "memory":
|
|
|
|
|
|
action = args.get("action", "")
|
|
|
|
|
|
target = args.get("target", "")
|
|
|
|
|
|
if action == "add":
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
content = _oneline(args.get("content", ""))
|
2026-02-21 22:31:43 -08:00
|
|
|
|
return f"+{target}: \"{content[:25]}{'...' if len(content) > 25 else ''}\""
|
|
|
|
|
|
elif action == "replace":
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
return f"~{target}: \"{_oneline(args.get('old_text', '')[:20])}\""
|
2026-02-21 22:31:43 -08:00
|
|
|
|
elif action == "remove":
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
return f"-{target}: \"{_oneline(args.get('old_text', '')[:20])}\""
|
2026-02-21 22:31:43 -08:00
|
|
|
|
return action
|
|
|
|
|
|
|
|
|
|
|
|
if tool_name == "send_message":
|
|
|
|
|
|
target = args.get("target", "?")
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
msg = _oneline(args.get("message", ""))
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if len(msg) > 20:
|
|
|
|
|
|
msg = msg[:17] + "..."
|
|
|
|
|
|
return f"to {target}: \"{msg}\""
|
|
|
|
|
|
|
|
|
|
|
|
if tool_name.startswith("rl_"):
|
|
|
|
|
|
rl_previews = {
|
|
|
|
|
|
"rl_list_environments": "listing envs",
|
|
|
|
|
|
"rl_select_environment": args.get("name", ""),
|
|
|
|
|
|
"rl_get_current_config": "reading config",
|
|
|
|
|
|
"rl_edit_config": f"{args.get('field', '')}={args.get('value', '')}",
|
|
|
|
|
|
"rl_start_training": "starting",
|
|
|
|
|
|
"rl_check_status": args.get("run_id", "")[:16],
|
|
|
|
|
|
"rl_stop_training": f"stopping {args.get('run_id', '')[:16]}",
|
|
|
|
|
|
"rl_get_results": args.get("run_id", "")[:16],
|
|
|
|
|
|
"rl_list_runs": "listing runs",
|
|
|
|
|
|
"rl_test_inference": f"{args.get('num_steps', 3)} steps",
|
|
|
|
|
|
}
|
|
|
|
|
|
return rl_previews.get(tool_name)
|
|
|
|
|
|
|
|
|
|
|
|
key = primary_args.get(tool_name)
|
|
|
|
|
|
if not key:
|
2026-03-02 05:23:15 -08:00
|
|
|
|
for fallback_key in ("query", "text", "command", "path", "name", "prompt", "code", "goal"):
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if fallback_key in args:
|
|
|
|
|
|
key = fallback_key
|
|
|
|
|
|
break
|
|
|
|
|
|
|
|
|
|
|
|
if not key or key not in args:
|
|
|
|
|
|
return None
|
|
|
|
|
|
|
|
|
|
|
|
value = args[key]
|
|
|
|
|
|
if isinstance(value, list):
|
|
|
|
|
|
value = value[0] if value else ""
|
|
|
|
|
|
|
fix: eliminate execute_code progress spam on gateway platforms
Root cause: two issues combined to create visual spam on Telegram/Discord:
1. build_tool_preview() preserved newlines from tool arguments. A preview
like 'import os\nprint("...")' rendered as 2+ visual lines per
progress entry on messaging platforms. This affected execute_code most
(code always has newlines), but could also hit terminal, memory,
send_message, session_search, and process tools.
2. No deduplication of identical progress messages. When models iterate
with execute_code using the same boilerplate code (common pattern),
each call produced an identical progress line. 9 calls x 2 visual
lines = 18 lines of identical spam in one message bubble.
Fixes:
- Added _oneline() helper to collapse all whitespace (newlines, tabs) to
single spaces. Applied to ALL code paths in build_tool_preview() —
both the generic path and every early-return path that touches user
content (memory, session_search, send_message, process).
- Added dedup in gateway progress_callback: consecutive identical messages
are collapsed with a repeat counter, e.g. 'execute_code: ... (x9)'
instead of 9 identical lines. The send_progress_messages async loop
handles dedup tuples by updating the last progress_line in-place.
2026-03-12 15:48:34 -07:00
|
|
|
|
preview = _oneline(str(value))
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if not preview:
|
|
|
|
|
|
return None
|
|
|
|
|
|
if len(preview) > max_len:
|
|
|
|
|
|
preview = preview[:max_len - 3] + "..."
|
|
|
|
|
|
return preview
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
# KawaiiSpinner
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
|
|
|
|
|
|
class KawaiiSpinner:
|
|
|
|
|
|
"""Animated spinner with kawaii faces for CLI feedback during tool execution."""
|
|
|
|
|
|
|
|
|
|
|
|
SPINNERS = {
|
|
|
|
|
|
'dots': ['⠋', '⠙', '⠹', '⠸', '⠼', '⠴', '⠦', '⠧', '⠇', '⠏'],
|
|
|
|
|
|
'bounce': ['⠁', '⠂', '⠄', '⡀', '⢀', '⠠', '⠐', '⠈'],
|
|
|
|
|
|
'grow': ['▁', '▂', '▃', '▄', '▅', '▆', '▇', '█', '▇', '▆', '▅', '▄', '▃', '▂'],
|
|
|
|
|
|
'arrows': ['←', '↖', '↑', '↗', '→', '↘', '↓', '↙'],
|
|
|
|
|
|
'star': ['✶', '✷', '✸', '✹', '✺', '✹', '✸', '✷'],
|
|
|
|
|
|
'moon': ['🌑', '🌒', '🌓', '🌔', '🌕', '🌖', '🌗', '🌘'],
|
|
|
|
|
|
'pulse': ['◜', '◠', '◝', '◞', '◡', '◟'],
|
|
|
|
|
|
'brain': ['🧠', '💭', '💡', '✨', '💫', '🌟', '💡', '💭'],
|
|
|
|
|
|
'sparkle': ['⁺', '˚', '*', '✧', '✦', '✧', '*', '˚'],
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
|
|
|
|
KAWAII_WAITING = [
|
|
|
|
|
|
"(。◕‿◕。)", "(◕‿◕✿)", "٩(◕‿◕。)۶", "(✿◠‿◠)", "( ˘▽˘)っ",
|
|
|
|
|
|
"♪(´ε` )", "(◕ᴗ◕✿)", "ヾ(^∇^)", "(≧◡≦)", "(★ω★)",
|
|
|
|
|
|
]
|
|
|
|
|
|
|
|
|
|
|
|
KAWAII_THINKING = [
|
|
|
|
|
|
"(。•́︿•̀。)", "(◔_◔)", "(¬‿¬)", "( •_•)>⌐■-■", "(⌐■_■)",
|
|
|
|
|
|
"(´・_・`)", "◉_◉", "(°ロ°)", "( ˘⌣˘)♡", "ヽ(>∀<☆)☆",
|
|
|
|
|
|
"٩(๑❛ᴗ❛๑)۶", "(⊙_⊙)", "(¬_¬)", "( ͡° ͜ʖ ͡°)", "ಠ_ಠ",
|
|
|
|
|
|
]
|
|
|
|
|
|
|
|
|
|
|
|
THINKING_VERBS = [
|
|
|
|
|
|
"pondering", "contemplating", "musing", "cogitating", "ruminating",
|
|
|
|
|
|
"deliberating", "mulling", "reflecting", "processing", "reasoning",
|
|
|
|
|
|
"analyzing", "computing", "synthesizing", "formulating", "brainstorming",
|
|
|
|
|
|
]
|
|
|
|
|
|
|
2026-03-26 17:40:31 -07:00
|
|
|
|
def __init__(self, message: str = "", spinner_type: str = 'dots', print_fn=None):
|
2026-02-21 22:31:43 -08:00
|
|
|
|
self.message = message
|
|
|
|
|
|
self.spinner_frames = self.SPINNERS.get(spinner_type, self.SPINNERS['dots'])
|
|
|
|
|
|
self.running = False
|
|
|
|
|
|
self.thread = None
|
|
|
|
|
|
self.frame_idx = 0
|
|
|
|
|
|
self.start_time = None
|
|
|
|
|
|
self.last_line_len = 0
|
2026-03-26 17:40:31 -07:00
|
|
|
|
# Optional callable to route all output through (e.g. a no-op for silent
|
|
|
|
|
|
# background agents). When set, bypasses self._out entirely so that
|
|
|
|
|
|
# agents with _print_fn overridden remain fully silent.
|
|
|
|
|
|
self._print_fn = print_fn
|
2026-02-24 03:48:11 -08:00
|
|
|
|
# Capture stdout NOW, before any redirect_stdout(devnull) from
|
|
|
|
|
|
# child agents can replace sys.stdout with a black hole.
|
|
|
|
|
|
self._out = sys.stdout
|
|
|
|
|
|
|
|
|
|
|
|
def _write(self, text: str, end: str = '\n', flush: bool = False):
|
2026-03-26 17:40:31 -07:00
|
|
|
|
"""Write to the stdout captured at spinner creation time.
|
|
|
|
|
|
|
|
|
|
|
|
If a print_fn was supplied at construction, all output is routed through
|
|
|
|
|
|
it instead — allowing callers to silence the spinner with a no-op lambda.
|
|
|
|
|
|
"""
|
|
|
|
|
|
if self._print_fn is not None:
|
|
|
|
|
|
try:
|
|
|
|
|
|
self._print_fn(text)
|
|
|
|
|
|
except Exception:
|
|
|
|
|
|
pass
|
|
|
|
|
|
return
|
2026-02-24 03:48:11 -08:00
|
|
|
|
try:
|
|
|
|
|
|
self._out.write(text + end)
|
|
|
|
|
|
if flush:
|
|
|
|
|
|
self._out.flush()
|
|
|
|
|
|
except (ValueError, OSError):
|
|
|
|
|
|
pass
|
2026-02-21 22:31:43 -08:00
|
|
|
|
|
2026-03-25 15:15:15 -07:00
|
|
|
|
@property
|
|
|
|
|
|
def _is_tty(self) -> bool:
|
|
|
|
|
|
"""Check if output is a real terminal, safe against closed streams."""
|
|
|
|
|
|
try:
|
|
|
|
|
|
return hasattr(self._out, 'isatty') and self._out.isatty()
|
|
|
|
|
|
except (ValueError, OSError):
|
|
|
|
|
|
return False
|
|
|
|
|
|
|
2026-03-25 10:46:54 -07:00
|
|
|
|
def _is_patch_stdout_proxy(self) -> bool:
|
|
|
|
|
|
"""Return True when stdout is prompt_toolkit's StdoutProxy.
|
|
|
|
|
|
|
|
|
|
|
|
patch_stdout wraps sys.stdout in a StdoutProxy that queues writes and
|
|
|
|
|
|
injects newlines around each flush(). The \\r overwrite never lands on
|
|
|
|
|
|
the correct line — each spinner frame ends up on its own line.
|
|
|
|
|
|
|
|
|
|
|
|
The CLI already drives a TUI widget (_spinner_text) for spinner display,
|
|
|
|
|
|
so KawaiiSpinner's \\r-based animation is redundant under StdoutProxy.
|
|
|
|
|
|
"""
|
|
|
|
|
|
out = self._out
|
|
|
|
|
|
# StdoutProxy has a 'raw' attribute (bool) that plain file objects lack.
|
|
|
|
|
|
if hasattr(out, 'raw') and type(out).__name__ == 'StdoutProxy':
|
|
|
|
|
|
return True
|
|
|
|
|
|
return False
|
|
|
|
|
|
|
2026-02-21 22:31:43 -08:00
|
|
|
|
def _animate(self):
|
2026-03-20 12:52:21 -07:00
|
|
|
|
# When stdout is not a real terminal (e.g. Docker, systemd, pipe),
|
|
|
|
|
|
# skip the animation entirely — it creates massive log bloat.
|
|
|
|
|
|
# Just log the start once and let stop() log the completion.
|
2026-03-25 15:15:15 -07:00
|
|
|
|
if not self._is_tty:
|
2026-03-20 12:52:21 -07:00
|
|
|
|
self._write(f" [tool] {self.message}", flush=True)
|
|
|
|
|
|
while self.running:
|
|
|
|
|
|
time.sleep(0.5)
|
|
|
|
|
|
return
|
|
|
|
|
|
|
2026-03-25 10:46:54 -07:00
|
|
|
|
# When running inside prompt_toolkit's patch_stdout context the CLI
|
|
|
|
|
|
# renders spinner state via a dedicated TUI widget (_spinner_text).
|
|
|
|
|
|
# Driving a \r-based animation here too causes visual overdraw: the
|
|
|
|
|
|
# StdoutProxy injects newlines around each flush, so every frame lands
|
|
|
|
|
|
# on a new line and overwrites the status bar.
|
|
|
|
|
|
if self._is_patch_stdout_proxy():
|
|
|
|
|
|
while self.running:
|
|
|
|
|
|
time.sleep(0.1)
|
|
|
|
|
|
return
|
|
|
|
|
|
|
feat: add data-driven skin/theme engine for CLI customization
Adds a skin system that lets users customize the CLI's visual appearance
through data files (YAML) rather than code changes. Skins define: color
palette, spinner faces/verbs/wings, branding text, and tool output prefix.
New files:
- hermes_cli/skin_engine.py — SkinConfig dataclass, built-in skins
(default, ares, mono, slate), YAML loader for user skins from
~/.hermes/skins/, skin management API
- tests/hermes_cli/test_skin_engine.py — 26 tests covering config,
built-in skins, user YAML skins, display integration
Modified files:
- agent/display.py — skin-aware spinner wings, faces, verbs, tool prefix
- hermes_cli/banner.py — skin-aware banner colors (title, border, accent,
dim, text, session) via _skin_color()/_skin_branding() helpers
- cli.py — /skin command handler, skin init from config, skin-aware
response box label and welcome message
- hermes_cli/config.py — add display.skin default
- hermes_cli/commands.py — add /skin to slash commands
Built-in skins:
- default: classic Hermes gold/kawaii
- ares: crimson/bronze war-god theme (from community PRs #579/#725)
- mono: clean grayscale
- slate: cool blue developer theme
User skins: drop a YAML file in ~/.hermes/skins/ with name, colors,
spinner, branding, and tool_prefix fields. Missing values inherit from
the default skin.
2026-03-10 00:37:28 -07:00
|
|
|
|
# Cache skin wings at start (avoid per-frame imports)
|
|
|
|
|
|
skin = _get_skin()
|
|
|
|
|
|
wings = skin.get_spinner_wings() if skin else []
|
|
|
|
|
|
|
2026-02-21 22:31:43 -08:00
|
|
|
|
while self.running:
|
|
|
|
|
|
if os.getenv("HERMES_SPINNER_PAUSE"):
|
|
|
|
|
|
time.sleep(0.1)
|
|
|
|
|
|
continue
|
|
|
|
|
|
frame = self.spinner_frames[self.frame_idx % len(self.spinner_frames)]
|
|
|
|
|
|
elapsed = time.time() - self.start_time
|
feat: add data-driven skin/theme engine for CLI customization
Adds a skin system that lets users customize the CLI's visual appearance
through data files (YAML) rather than code changes. Skins define: color
palette, spinner faces/verbs/wings, branding text, and tool output prefix.
New files:
- hermes_cli/skin_engine.py — SkinConfig dataclass, built-in skins
(default, ares, mono, slate), YAML loader for user skins from
~/.hermes/skins/, skin management API
- tests/hermes_cli/test_skin_engine.py — 26 tests covering config,
built-in skins, user YAML skins, display integration
Modified files:
- agent/display.py — skin-aware spinner wings, faces, verbs, tool prefix
- hermes_cli/banner.py — skin-aware banner colors (title, border, accent,
dim, text, session) via _skin_color()/_skin_branding() helpers
- cli.py — /skin command handler, skin init from config, skin-aware
response box label and welcome message
- hermes_cli/config.py — add display.skin default
- hermes_cli/commands.py — add /skin to slash commands
Built-in skins:
- default: classic Hermes gold/kawaii
- ares: crimson/bronze war-god theme (from community PRs #579/#725)
- mono: clean grayscale
- slate: cool blue developer theme
User skins: drop a YAML file in ~/.hermes/skins/ with name, colors,
spinner, branding, and tool_prefix fields. Missing values inherit from
the default skin.
2026-03-10 00:37:28 -07:00
|
|
|
|
if wings:
|
|
|
|
|
|
left, right = wings[self.frame_idx % len(wings)]
|
|
|
|
|
|
line = f" {left} {frame} {self.message} {right} ({elapsed:.1f}s)"
|
|
|
|
|
|
else:
|
|
|
|
|
|
line = f" {frame} {self.message} ({elapsed:.1f}s)"
|
2026-02-27 13:49:06 -08:00
|
|
|
|
pad = max(self.last_line_len - len(line), 0)
|
2026-03-25 10:46:54 -07:00
|
|
|
|
self._write(f"\r{line}{' ' * pad}", end='', flush=True)
|
2026-02-21 22:31:43 -08:00
|
|
|
|
self.last_line_len = len(line)
|
|
|
|
|
|
self.frame_idx += 1
|
|
|
|
|
|
time.sleep(0.12)
|
|
|
|
|
|
|
|
|
|
|
|
def start(self):
|
|
|
|
|
|
if self.running:
|
|
|
|
|
|
return
|
|
|
|
|
|
self.running = True
|
|
|
|
|
|
self.start_time = time.time()
|
|
|
|
|
|
self.thread = threading.Thread(target=self._animate, daemon=True)
|
|
|
|
|
|
self.thread.start()
|
|
|
|
|
|
|
|
|
|
|
|
def update_text(self, new_message: str):
|
|
|
|
|
|
self.message = new_message
|
|
|
|
|
|
|
feat(gateway): expose subagent tool calls and thinking to user (fixes #169) (#186)
When subagents run via delegate_task, the user now sees real-time
progress instead of silence:
CLI: tree-view activity lines print above the delegation spinner
🔀 Delegating: research quantum computing
├─ 💭 "I'll search for papers first..."
├─ 🔍 web_search "quantum computing"
├─ 📖 read_file "paper.pdf"
└─ ⠹ working... (18.2s)
Gateway (Telegram/Discord): batched progress summaries sent every
5 tool calls to avoid message spam. Remaining tools flushed on
subagent completion.
Changes:
- agent/display.py: add KawaiiSpinner.print_above() to print
status lines above an active spinner without disrupting animation.
Uses captured stdout (self._out) so it works inside the child's
redirect_stdout(devnull).
- tools/delegate_tool.py: add _build_child_progress_callback()
that creates a per-child callback relaying tool calls and
thinking events to the parent's spinner (CLI) or progress
queue (gateway). Each child gets its own callback instance,
so parallel subagents don't share state. Includes _flush()
for gateway batch completion.
- run_agent.py: fire tool_progress_callback with '_thinking'
event when the model produces text content. Guarded by
_delegate_depth > 0 so only subagents fire this (prevents
gateway spam from main agent). REASONING_SCRATCHPAD/think/
reasoning XML tags are stripped before display.
Tests: 21 new tests covering print_above, callback builder,
thinking relay, SCRATCHPAD filtering, batching, flush, thread
isolation, delegate_depth guard, and prefix handling.
2026-03-01 10:18:00 +03:00
|
|
|
|
def print_above(self, text: str):
|
|
|
|
|
|
"""Print a line above the spinner without disrupting animation.
|
|
|
|
|
|
|
|
|
|
|
|
Clears the current spinner line, prints the text, and lets the
|
|
|
|
|
|
next animation tick redraw the spinner on the line below.
|
|
|
|
|
|
Thread-safe: uses the captured stdout reference (self._out).
|
|
|
|
|
|
Works inside redirect_stdout(devnull) because _write bypasses
|
|
|
|
|
|
sys.stdout and writes to the stdout captured at spinner creation.
|
|
|
|
|
|
"""
|
|
|
|
|
|
if not self.running:
|
|
|
|
|
|
self._write(f" {text}", flush=True)
|
|
|
|
|
|
return
|
2026-02-28 23:19:23 -08:00
|
|
|
|
# Clear spinner line with spaces (not \033[K) to avoid garbled escape
|
|
|
|
|
|
# codes when prompt_toolkit's patch_stdout is active — same approach
|
|
|
|
|
|
# as stop(). Then print text; spinner redraws on next tick.
|
|
|
|
|
|
blanks = ' ' * max(self.last_line_len + 5, 40)
|
|
|
|
|
|
self._write(f"\r{blanks}\r {text}", flush=True)
|
feat(gateway): expose subagent tool calls and thinking to user (fixes #169) (#186)
When subagents run via delegate_task, the user now sees real-time
progress instead of silence:
CLI: tree-view activity lines print above the delegation spinner
🔀 Delegating: research quantum computing
├─ 💭 "I'll search for papers first..."
├─ 🔍 web_search "quantum computing"
├─ 📖 read_file "paper.pdf"
└─ ⠹ working... (18.2s)
Gateway (Telegram/Discord): batched progress summaries sent every
5 tool calls to avoid message spam. Remaining tools flushed on
subagent completion.
Changes:
- agent/display.py: add KawaiiSpinner.print_above() to print
status lines above an active spinner without disrupting animation.
Uses captured stdout (self._out) so it works inside the child's
redirect_stdout(devnull).
- tools/delegate_tool.py: add _build_child_progress_callback()
that creates a per-child callback relaying tool calls and
thinking events to the parent's spinner (CLI) or progress
queue (gateway). Each child gets its own callback instance,
so parallel subagents don't share state. Includes _flush()
for gateway batch completion.
- run_agent.py: fire tool_progress_callback with '_thinking'
event when the model produces text content. Guarded by
_delegate_depth > 0 so only subagents fire this (prevents
gateway spam from main agent). REASONING_SCRATCHPAD/think/
reasoning XML tags are stripped before display.
Tests: 21 new tests covering print_above, callback builder,
thinking relay, SCRATCHPAD filtering, batching, flush, thread
isolation, delegate_depth guard, and prefix handling.
2026-03-01 10:18:00 +03:00
|
|
|
|
|
2026-02-21 22:31:43 -08:00
|
|
|
|
def stop(self, final_message: str = None):
|
|
|
|
|
|
self.running = False
|
|
|
|
|
|
if self.thread:
|
|
|
|
|
|
self.thread.join(timeout=0.5)
|
2026-03-20 12:52:21 -07:00
|
|
|
|
|
2026-03-25 15:15:15 -07:00
|
|
|
|
is_tty = self._is_tty
|
2026-03-20 12:52:21 -07:00
|
|
|
|
if is_tty:
|
|
|
|
|
|
# Clear the spinner line with spaces instead of \033[K to avoid
|
|
|
|
|
|
# garbled escape codes when prompt_toolkit's patch_stdout is active.
|
|
|
|
|
|
blanks = ' ' * max(self.last_line_len + 5, 40)
|
|
|
|
|
|
self._write(f"\r{blanks}\r", end='', flush=True)
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if final_message:
|
2026-03-20 12:52:21 -07:00
|
|
|
|
elapsed = f" ({time.time() - self.start_time:.1f}s)" if self.start_time else ""
|
|
|
|
|
|
if is_tty:
|
|
|
|
|
|
self._write(f" {final_message}", flush=True)
|
|
|
|
|
|
else:
|
|
|
|
|
|
self._write(f" [done] {final_message}{elapsed}", flush=True)
|
2026-02-21 22:31:43 -08:00
|
|
|
|
|
|
|
|
|
|
def __enter__(self):
|
|
|
|
|
|
self.start()
|
|
|
|
|
|
return self
|
|
|
|
|
|
|
|
|
|
|
|
def __exit__(self, exc_type, exc_val, exc_tb):
|
|
|
|
|
|
self.stop()
|
|
|
|
|
|
return False
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
# Kawaii face arrays (used by AIAgent._execute_tool_calls for spinner text)
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
|
|
|
|
|
|
KAWAII_SEARCH = [
|
|
|
|
|
|
"♪(´ε` )", "(。◕‿◕。)", "ヾ(^∇^)", "(◕ᴗ◕✿)", "( ˘▽˘)っ",
|
|
|
|
|
|
"٩(◕‿◕。)۶", "(✿◠‿◠)", "♪~(´ε` )", "(ノ´ヮ`)ノ*:・゚✧", "\(◎o◎)/",
|
|
|
|
|
|
]
|
|
|
|
|
|
KAWAII_READ = [
|
|
|
|
|
|
"φ(゜▽゜*)♪", "( ˘▽˘)っ", "(⌐■_■)", "٩(。•́‿•̀。)۶", "(◕‿◕✿)",
|
|
|
|
|
|
"ヾ(@⌒ー⌒@)ノ", "(✧ω✧)", "♪(๑ᴖ◡ᴖ๑)♪", "(≧◡≦)", "( ´ ▽ ` )ノ",
|
|
|
|
|
|
]
|
|
|
|
|
|
KAWAII_TERMINAL = [
|
|
|
|
|
|
"ヽ(>∀<☆)ノ", "(ノ°∀°)ノ", "٩(^ᴗ^)۶", "ヾ(⌐■_■)ノ♪", "(•̀ᴗ•́)و",
|
|
|
|
|
|
"┗(^0^)┓", "(`・ω・´)", "\( ̄▽ ̄)/", "(ง •̀_•́)ง", "ヽ(´▽`)/",
|
|
|
|
|
|
]
|
|
|
|
|
|
KAWAII_BROWSER = [
|
|
|
|
|
|
"(ノ°∀°)ノ", "(☞゚ヮ゚)☞", "( ͡° ͜ʖ ͡°)", "┌( ಠ_ಠ)┘", "(⊙_⊙)?",
|
|
|
|
|
|
"ヾ(•ω•`)o", "( ̄ω ̄)", "( ˇωˇ )", "(ᵔᴥᵔ)", "\(◎o◎)/",
|
|
|
|
|
|
]
|
|
|
|
|
|
KAWAII_CREATE = [
|
|
|
|
|
|
"✧*。٩(ˊᗜˋ*)و✧", "(ノ◕ヮ◕)ノ*:・゚✧", "ヽ(>∀<☆)ノ", "٩(♡ε♡)۶", "(◕‿◕)♡",
|
|
|
|
|
|
"✿◕ ‿ ◕✿", "(*≧▽≦)", "ヾ(^-^)ノ", "(☆▽☆)", "°˖✧◝(⁰▿⁰)◜✧˖°",
|
|
|
|
|
|
]
|
|
|
|
|
|
KAWAII_SKILL = [
|
|
|
|
|
|
"ヾ(@⌒ー⌒@)ノ", "(๑˃ᴗ˂)ﻭ", "٩(◕‿◕。)۶", "(✿╹◡╹)", "ヽ(・∀・)ノ",
|
|
|
|
|
|
"(ノ´ヮ`)ノ*:・゚✧", "♪(๑ᴖ◡ᴖ๑)♪", "(◠‿◠)", "٩(ˊᗜˋ*)و", "(^▽^)",
|
|
|
|
|
|
"ヾ(^∇^)", "(★ω★)/", "٩(。•́‿•̀。)۶", "(◕ᴗ◕✿)", "\(◎o◎)/",
|
|
|
|
|
|
"(✧ω✧)", "ヽ(>∀<☆)ノ", "( ˘▽˘)っ", "(≧◡≦) ♡", "ヾ( ̄▽ ̄)",
|
|
|
|
|
|
]
|
|
|
|
|
|
KAWAII_THINK = [
|
|
|
|
|
|
"(っ°Д°;)っ", "(;′⌒`)", "(・_・ヾ", "( ´_ゝ`)", "( ̄ヘ ̄)",
|
|
|
|
|
|
"(。-`ω´-)", "( ˘︹˘ )", "(¬_¬)", "ヽ(ー_ー )ノ", "(;一_一)",
|
|
|
|
|
|
]
|
|
|
|
|
|
KAWAII_GENERIC = [
|
|
|
|
|
|
"♪(´ε` )", "(◕‿◕✿)", "ヾ(^∇^)", "٩(◕‿◕。)۶", "(✿◠‿◠)",
|
|
|
|
|
|
"(ノ´ヮ`)ノ*:・゚✧", "ヽ(>∀<☆)ノ", "(☆▽☆)", "( ˘▽˘)っ", "(≧◡≦)",
|
|
|
|
|
|
]
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
# Cute tool message (completion line that replaces the spinner)
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
|
2026-02-22 02:16:11 -08:00
|
|
|
|
def _detect_tool_failure(tool_name: str, result: str | None) -> tuple[bool, str]:
|
|
|
|
|
|
"""Inspect a tool result string for signs of failure.
|
|
|
|
|
|
|
|
|
|
|
|
Returns ``(is_failure, suffix)`` where *suffix* is an informational tag
|
|
|
|
|
|
like ``" [exit 1]"`` for terminal failures, or ``" [error]"`` for generic
|
|
|
|
|
|
failures. On success, returns ``(False, "")``.
|
|
|
|
|
|
"""
|
|
|
|
|
|
if result is None:
|
|
|
|
|
|
return False, ""
|
|
|
|
|
|
|
|
|
|
|
|
if tool_name == "terminal":
|
|
|
|
|
|
try:
|
|
|
|
|
|
data = json.loads(result)
|
|
|
|
|
|
exit_code = data.get("exit_code")
|
|
|
|
|
|
if exit_code is not None and exit_code != 0:
|
|
|
|
|
|
return True, f" [exit {exit_code}]"
|
|
|
|
|
|
except (json.JSONDecodeError, TypeError, AttributeError):
|
2026-03-10 06:59:20 -07:00
|
|
|
|
logger.debug("Could not parse terminal result as JSON for exit code check")
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return False, ""
|
|
|
|
|
|
|
2026-02-28 22:49:52 -08:00
|
|
|
|
# Memory-specific: distinguish "full" from real errors
|
|
|
|
|
|
if tool_name == "memory":
|
|
|
|
|
|
try:
|
|
|
|
|
|
data = json.loads(result)
|
|
|
|
|
|
if data.get("success") is False and "exceed the limit" in data.get("error", ""):
|
|
|
|
|
|
return True, " [full]"
|
|
|
|
|
|
except (json.JSONDecodeError, TypeError, AttributeError):
|
2026-03-10 06:59:20 -07:00
|
|
|
|
logger.debug("Could not parse memory result as JSON for capacity check")
|
2026-02-28 22:49:52 -08:00
|
|
|
|
|
2026-02-22 02:16:11 -08:00
|
|
|
|
# Generic heuristic for non-terminal tools
|
|
|
|
|
|
lower = result[:500].lower()
|
|
|
|
|
|
if '"error"' in lower or '"failed"' in lower or result.startswith("Error"):
|
|
|
|
|
|
return True, " [error]"
|
|
|
|
|
|
|
|
|
|
|
|
return False, ""
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def get_cute_tool_message(
|
|
|
|
|
|
tool_name: str, args: dict, duration: float, result: str | None = None,
|
|
|
|
|
|
) -> str:
|
2026-02-21 22:31:43 -08:00
|
|
|
|
"""Generate a formatted tool completion line for CLI quiet mode.
|
|
|
|
|
|
|
|
|
|
|
|
Format: ``| {emoji} {verb:9} {detail} {duration}``
|
2026-02-22 02:16:11 -08:00
|
|
|
|
|
|
|
|
|
|
When *result* is provided the line is checked for failure indicators.
|
|
|
|
|
|
Failed tool calls get a red prefix and an informational suffix.
|
2026-02-21 22:31:43 -08:00
|
|
|
|
"""
|
|
|
|
|
|
dur = f"{duration:.1f}s"
|
2026-02-22 02:16:11 -08:00
|
|
|
|
is_failure, failure_suffix = _detect_tool_failure(tool_name, result)
|
feat: add data-driven skin/theme engine for CLI customization
Adds a skin system that lets users customize the CLI's visual appearance
through data files (YAML) rather than code changes. Skins define: color
palette, spinner faces/verbs/wings, branding text, and tool output prefix.
New files:
- hermes_cli/skin_engine.py — SkinConfig dataclass, built-in skins
(default, ares, mono, slate), YAML loader for user skins from
~/.hermes/skins/, skin management API
- tests/hermes_cli/test_skin_engine.py — 26 tests covering config,
built-in skins, user YAML skins, display integration
Modified files:
- agent/display.py — skin-aware spinner wings, faces, verbs, tool prefix
- hermes_cli/banner.py — skin-aware banner colors (title, border, accent,
dim, text, session) via _skin_color()/_skin_branding() helpers
- cli.py — /skin command handler, skin init from config, skin-aware
response box label and welcome message
- hermes_cli/config.py — add display.skin default
- hermes_cli/commands.py — add /skin to slash commands
Built-in skins:
- default: classic Hermes gold/kawaii
- ares: crimson/bronze war-god theme (from community PRs #579/#725)
- mono: clean grayscale
- slate: cool blue developer theme
User skins: drop a YAML file in ~/.hermes/skins/ with name, colors,
spinner, branding, and tool_prefix fields. Missing values inherit from
the default skin.
2026-03-10 00:37:28 -07:00
|
|
|
|
skin_prefix = get_skin_tool_prefix()
|
2026-02-21 22:31:43 -08:00
|
|
|
|
|
|
|
|
|
|
def _trunc(s, n=40):
|
|
|
|
|
|
s = str(s)
|
|
|
|
|
|
return (s[:n-3] + "...") if len(s) > n else s
|
|
|
|
|
|
|
|
|
|
|
|
def _path(p, n=35):
|
|
|
|
|
|
p = str(p)
|
|
|
|
|
|
return ("..." + p[-(n-3):]) if len(p) > n else p
|
|
|
|
|
|
|
2026-02-22 02:16:11 -08:00
|
|
|
|
def _wrap(line: str) -> str:
|
feat: add data-driven skin/theme engine for CLI customization
Adds a skin system that lets users customize the CLI's visual appearance
through data files (YAML) rather than code changes. Skins define: color
palette, spinner faces/verbs/wings, branding text, and tool output prefix.
New files:
- hermes_cli/skin_engine.py — SkinConfig dataclass, built-in skins
(default, ares, mono, slate), YAML loader for user skins from
~/.hermes/skins/, skin management API
- tests/hermes_cli/test_skin_engine.py — 26 tests covering config,
built-in skins, user YAML skins, display integration
Modified files:
- agent/display.py — skin-aware spinner wings, faces, verbs, tool prefix
- hermes_cli/banner.py — skin-aware banner colors (title, border, accent,
dim, text, session) via _skin_color()/_skin_branding() helpers
- cli.py — /skin command handler, skin init from config, skin-aware
response box label and welcome message
- hermes_cli/config.py — add display.skin default
- hermes_cli/commands.py — add /skin to slash commands
Built-in skins:
- default: classic Hermes gold/kawaii
- ares: crimson/bronze war-god theme (from community PRs #579/#725)
- mono: clean grayscale
- slate: cool blue developer theme
User skins: drop a YAML file in ~/.hermes/skins/ with name, colors,
spinner, branding, and tool_prefix fields. Missing values inherit from
the default skin.
2026-03-10 00:37:28 -07:00
|
|
|
|
"""Apply skin tool prefix and failure suffix."""
|
|
|
|
|
|
if skin_prefix != "┊":
|
|
|
|
|
|
line = line.replace("┊", skin_prefix, 1)
|
2026-02-22 02:16:11 -08:00
|
|
|
|
if not is_failure:
|
|
|
|
|
|
return line
|
2026-02-24 14:25:27 -08:00
|
|
|
|
return f"{line}{failure_suffix}"
|
2026-02-22 02:16:11 -08:00
|
|
|
|
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "web_search":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🔍 search {_trunc(args.get('query', ''), 42)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "web_extract":
|
|
|
|
|
|
urls = args.get("urls", [])
|
|
|
|
|
|
if urls:
|
|
|
|
|
|
url = urls[0] if isinstance(urls, list) else str(urls)
|
|
|
|
|
|
domain = url.replace("https://", "").replace("http://", "").split("/")[0]
|
|
|
|
|
|
extra = f" +{len(urls)-1}" if len(urls) > 1 else ""
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📄 fetch {_trunc(domain, 35)}{extra} {dur}")
|
|
|
|
|
|
return _wrap(f"┊ 📄 fetch pages {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "web_crawl":
|
|
|
|
|
|
url = args.get("url", "")
|
|
|
|
|
|
domain = url.replace("https://", "").replace("http://", "").split("/")[0]
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🕸️ crawl {_trunc(domain, 35)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "terminal":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 💻 $ {_trunc(args.get('command', ''), 42)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "process":
|
|
|
|
|
|
action = args.get("action", "?")
|
|
|
|
|
|
sid = args.get("session_id", "")[:12]
|
|
|
|
|
|
labels = {"list": "ls processes", "poll": f"poll {sid}", "log": f"log {sid}",
|
|
|
|
|
|
"wait": f"wait {sid}", "kill": f"kill {sid}", "write": f"write {sid}", "submit": f"submit {sid}"}
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ ⚙️ proc {labels.get(action, f'{action} {sid}')} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "read_file":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📖 read {_path(args.get('path', ''))} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "write_file":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ ✍️ write {_path(args.get('path', ''))} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "patch":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🔧 patch {_path(args.get('path', ''))} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "search_files":
|
|
|
|
|
|
pattern = _trunc(args.get("pattern", ""), 35)
|
|
|
|
|
|
target = args.get("target", "content")
|
|
|
|
|
|
verb = "find" if target == "files" else "grep"
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🔎 {verb:9} {pattern} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_navigate":
|
|
|
|
|
|
url = args.get("url", "")
|
|
|
|
|
|
domain = url.replace("https://", "").replace("http://", "").split("/")[0]
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🌐 navigate {_trunc(domain, 35)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_snapshot":
|
|
|
|
|
|
mode = "full" if args.get("full") else "compact"
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📸 snapshot {mode} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_click":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 👆 click {args.get('ref', '?')} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_type":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ ⌨️ type \"{_trunc(args.get('text', ''), 30)}\" {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_scroll":
|
|
|
|
|
|
d = args.get("direction", "down")
|
|
|
|
|
|
arrow = {"down": "↓", "up": "↑", "right": "→", "left": "←"}.get(d, "↓")
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ {arrow} scroll {d} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_back":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ ◀️ back {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_press":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ ⌨️ press {args.get('key', '?')} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_close":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🚪 close browser {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_get_images":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🖼️ images extracting {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "browser_vision":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 👁️ vision analyzing page {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "todo":
|
|
|
|
|
|
todos_arg = args.get("todos")
|
|
|
|
|
|
merge = args.get("merge", False)
|
|
|
|
|
|
if todos_arg is None:
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📋 plan reading tasks {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
elif merge:
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📋 plan update {len(todos_arg)} task(s) {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
else:
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📋 plan {len(todos_arg)} task(s) {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "session_search":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🔍 recall \"{_trunc(args.get('query', ''), 35)}\" {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "memory":
|
|
|
|
|
|
action = args.get("action", "?")
|
|
|
|
|
|
target = args.get("target", "")
|
|
|
|
|
|
if action == "add":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🧠 memory +{target}: \"{_trunc(args.get('content', ''), 30)}\" {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
elif action == "replace":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🧠 memory ~{target}: \"{_trunc(args.get('old_text', ''), 20)}\" {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
elif action == "remove":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🧠 memory -{target}: \"{_trunc(args.get('old_text', ''), 20)}\" {dur}")
|
|
|
|
|
|
return _wrap(f"┊ 🧠 memory {action} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "skills_list":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📚 skills list {args.get('category', 'all')} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "skill_view":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📚 skill {_trunc(args.get('name', ''), 30)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "image_generate":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🎨 create {_trunc(args.get('prompt', ''), 35)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "text_to_speech":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🔊 speak {_trunc(args.get('text', ''), 30)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "vision_analyze":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 👁️ vision {_trunc(args.get('question', ''), 30)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "mixture_of_agents":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🧠 reason {_trunc(args.get('user_prompt', ''), 30)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "send_message":
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 📨 send {args.get('target', '?')}: \"{_trunc(args.get('message', ''), 25)}\" {dur}")
|
2026-03-14 12:21:50 -07:00
|
|
|
|
if tool_name == "cronjob":
|
|
|
|
|
|
action = args.get("action", "?")
|
|
|
|
|
|
if action == "create":
|
2026-03-14 19:18:10 -07:00
|
|
|
|
skills = args.get("skills") or ([] if not args.get("skill") else [args.get("skill")])
|
|
|
|
|
|
label = args.get("name") or (skills[0] if skills else None) or args.get("prompt", "task")
|
2026-03-14 12:21:50 -07:00
|
|
|
|
return _wrap(f"┊ ⏰ cron create {_trunc(label, 24)} {dur}")
|
|
|
|
|
|
if action == "list":
|
|
|
|
|
|
return _wrap(f"┊ ⏰ cron listing {dur}")
|
|
|
|
|
|
return _wrap(f"┊ ⏰ cron {action} {args.get('job_id', '')} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name.startswith("rl_"):
|
|
|
|
|
|
rl = {
|
|
|
|
|
|
"rl_list_environments": "list envs", "rl_select_environment": f"select {args.get('name', '')}",
|
|
|
|
|
|
"rl_get_current_config": "get config", "rl_edit_config": f"set {args.get('field', '?')}",
|
|
|
|
|
|
"rl_start_training": "start training", "rl_check_status": f"status {args.get('run_id', '?')[:12]}",
|
|
|
|
|
|
"rl_stop_training": f"stop {args.get('run_id', '?')[:12]}", "rl_get_results": f"results {args.get('run_id', '?')[:12]}",
|
|
|
|
|
|
"rl_list_runs": "list runs", "rl_test_inference": "test inference",
|
|
|
|
|
|
}
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🧪 rl {rl.get(tool_name, tool_name.replace('rl_', ''))} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "execute_code":
|
|
|
|
|
|
code = args.get("code", "")
|
|
|
|
|
|
first_line = code.strip().split("\n")[0] if code.strip() else ""
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🐍 exec {_trunc(first_line, 35)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
if tool_name == "delegate_task":
|
|
|
|
|
|
tasks = args.get("tasks")
|
|
|
|
|
|
if tasks and isinstance(tasks, list):
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ 🔀 delegate {len(tasks)} parallel tasks {dur}")
|
|
|
|
|
|
return _wrap(f"┊ 🔀 delegate {_trunc(args.get('goal', ''), 35)} {dur}")
|
2026-02-21 22:31:43 -08:00
|
|
|
|
|
|
|
|
|
|
preview = build_tool_preview(tool_name, args) or ""
|
2026-02-22 02:16:11 -08:00
|
|
|
|
return _wrap(f"┊ ⚡ {tool_name[:9]:9} {_trunc(preview, 35)} {dur}")
|
2026-03-12 12:30:42 -04:00
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
# Honcho session line (one-liner with clickable OSC 8 hyperlink)
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
|
|
|
|
|
|
_DIM = "\033[2m"
|
|
|
|
|
|
_SKY_BLUE = "\033[38;5;117m"
|
|
|
|
|
|
_ANSI_RESET = "\033[0m"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def honcho_session_url(workspace: str, session_name: str) -> str:
|
|
|
|
|
|
"""Build a Honcho app URL for a session."""
|
|
|
|
|
|
from urllib.parse import quote
|
|
|
|
|
|
return (
|
|
|
|
|
|
f"https://app.honcho.dev/explore"
|
|
|
|
|
|
f"?workspace={quote(workspace, safe='')}"
|
|
|
|
|
|
f"&view=sessions"
|
|
|
|
|
|
f"&session={quote(session_name, safe='')}"
|
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def _osc8_link(url: str, text: str) -> str:
|
|
|
|
|
|
"""OSC 8 terminal hyperlink (clickable in iTerm2, Ghostty, WezTerm, etc.)."""
|
|
|
|
|
|
return f"\033]8;;{url}\033\\{text}\033]8;;\033\\"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def honcho_session_line(workspace: str, session_name: str) -> str:
|
|
|
|
|
|
"""One-line session indicator: `Honcho session: <clickable name>`."""
|
|
|
|
|
|
url = honcho_session_url(workspace, session_name)
|
|
|
|
|
|
linked_name = _osc8_link(url, f"{_SKY_BLUE}{session_name}{_ANSI_RESET}")
|
|
|
|
|
|
return f"{_DIM}Honcho session:{_ANSI_RESET} {linked_name}"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def write_tty(text: str) -> None:
|
|
|
|
|
|
"""Write directly to /dev/tty, bypassing stdout capture."""
|
|
|
|
|
|
try:
|
|
|
|
|
|
fd = os.open("/dev/tty", os.O_WRONLY)
|
|
|
|
|
|
os.write(fd, text.encode("utf-8"))
|
|
|
|
|
|
os.close(fd)
|
|
|
|
|
|
except OSError:
|
|
|
|
|
|
sys.stdout.write(text)
|
|
|
|
|
|
sys.stdout.flush()
|
2026-03-20 08:37:36 -07:00
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
# Context pressure display (CLI user-facing warnings)
|
|
|
|
|
|
# =========================================================================
|
|
|
|
|
|
|
|
|
|
|
|
# ANSI color codes for context pressure tiers
|
|
|
|
|
|
_CYAN = "\033[36m"
|
|
|
|
|
|
_YELLOW = "\033[33m"
|
|
|
|
|
|
_BOLD = "\033[1m"
|
|
|
|
|
|
_DIM_ANSI = "\033[2m"
|
|
|
|
|
|
|
|
|
|
|
|
# Bar characters
|
|
|
|
|
|
_BAR_FILLED = "▰"
|
|
|
|
|
|
_BAR_EMPTY = "▱"
|
|
|
|
|
|
_BAR_WIDTH = 20
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def format_context_pressure(
|
|
|
|
|
|
compaction_progress: float,
|
|
|
|
|
|
threshold_tokens: int,
|
|
|
|
|
|
threshold_percent: float,
|
|
|
|
|
|
compression_enabled: bool = True,
|
|
|
|
|
|
) -> str:
|
|
|
|
|
|
"""Build a formatted context pressure line for CLI display.
|
|
|
|
|
|
|
|
|
|
|
|
The bar and percentage show progress toward the compaction threshold,
|
|
|
|
|
|
NOT the raw context window. 100% = compaction fires.
|
|
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
|
compaction_progress: How close to compaction (0.0–1.0, 1.0 = fires).
|
|
|
|
|
|
threshold_tokens: Compaction threshold in tokens.
|
|
|
|
|
|
threshold_percent: Compaction threshold as a fraction of context window.
|
|
|
|
|
|
compression_enabled: Whether auto-compression is active.
|
|
|
|
|
|
"""
|
|
|
|
|
|
pct_int = int(compaction_progress * 100)
|
|
|
|
|
|
filled = min(int(compaction_progress * _BAR_WIDTH), _BAR_WIDTH)
|
|
|
|
|
|
bar = _BAR_FILLED * filled + _BAR_EMPTY * (_BAR_WIDTH - filled)
|
|
|
|
|
|
|
|
|
|
|
|
threshold_k = f"{threshold_tokens // 1000}k" if threshold_tokens >= 1000 else str(threshold_tokens)
|
|
|
|
|
|
threshold_pct_int = int(threshold_percent * 100)
|
|
|
|
|
|
|
2026-03-24 12:50:24 -07:00
|
|
|
|
color = f"{_BOLD}{_YELLOW}"
|
|
|
|
|
|
icon = "⚠"
|
|
|
|
|
|
if compression_enabled:
|
|
|
|
|
|
hint = "compaction approaching"
|
2026-03-20 08:37:36 -07:00
|
|
|
|
else:
|
2026-03-24 12:50:24 -07:00
|
|
|
|
hint = "no auto-compaction"
|
2026-03-20 08:37:36 -07:00
|
|
|
|
|
|
|
|
|
|
return (
|
|
|
|
|
|
f" {color}{icon} context {bar} {pct_int}% to compaction{_ANSI_RESET}"
|
|
|
|
|
|
f" {_DIM_ANSI}{threshold_k} threshold ({threshold_pct_int}%) · {hint}{_ANSI_RESET}"
|
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def format_context_pressure_gateway(
|
|
|
|
|
|
compaction_progress: float,
|
|
|
|
|
|
threshold_percent: float,
|
|
|
|
|
|
compression_enabled: bool = True,
|
|
|
|
|
|
) -> str:
|
|
|
|
|
|
"""Build a plain-text context pressure notification for messaging platforms.
|
|
|
|
|
|
|
|
|
|
|
|
No ANSI — just Unicode and plain text suitable for Telegram/Discord/etc.
|
|
|
|
|
|
The percentage shows progress toward the compaction threshold.
|
|
|
|
|
|
"""
|
|
|
|
|
|
pct_int = int(compaction_progress * 100)
|
|
|
|
|
|
filled = min(int(compaction_progress * _BAR_WIDTH), _BAR_WIDTH)
|
|
|
|
|
|
bar = _BAR_FILLED * filled + _BAR_EMPTY * (_BAR_WIDTH - filled)
|
|
|
|
|
|
|
|
|
|
|
|
threshold_pct_int = int(threshold_percent * 100)
|
|
|
|
|
|
|
2026-03-24 12:50:24 -07:00
|
|
|
|
icon = "⚠️"
|
|
|
|
|
|
if compression_enabled:
|
|
|
|
|
|
hint = f"Context compaction approaching (threshold: {threshold_pct_int}% of window)."
|
2026-03-20 08:37:36 -07:00
|
|
|
|
else:
|
2026-03-24 12:50:24 -07:00
|
|
|
|
hint = "Auto-compaction is disabled — context may be truncated."
|
2026-03-20 08:37:36 -07:00
|
|
|
|
|
|
|
|
|
|
return f"{icon} Context: {bar} {pct_int}% to compaction\n{hint}"
|