2026-02-02 19:01:51 -08:00
|
|
|
"""
|
|
|
|
|
Gateway subcommand for hermes CLI.
|
|
|
|
|
|
2026-03-03 18:57:33 -08:00
|
|
|
Handles: hermes gateway [run|start|stop|restart|status|install|uninstall|setup]
|
2026-02-02 19:01:51 -08:00
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
import asyncio
|
|
|
|
|
import os
|
2026-02-03 10:46:23 -08:00
|
|
|
import signal
|
2026-02-02 19:01:51 -08:00
|
|
|
import subprocess
|
|
|
|
|
import sys
|
|
|
|
|
from pathlib import Path
|
|
|
|
|
|
|
|
|
|
PROJECT_ROOT = Path(__file__).parent.parent.resolve()
|
|
|
|
|
|
fix(cli): respect HERMES_HOME in all remaining hardcoded ~/.hermes paths
Several files resolved paths via Path.home() / ".hermes" or
os.path.expanduser("~/.hermes/..."), bypassing the HERMES_HOME
environment variable. This broke isolation when running multiple
Hermes instances with distinct HERMES_HOME directories.
Replace all hardcoded paths with calls to get_hermes_home() from
hermes_cli.config, consistent with the rest of the codebase.
Files fixed:
- tools/process_registry.py (processes.json)
- gateway/pairing.py (pairing/)
- gateway/sticker_cache.py (sticker_cache.json)
- gateway/channel_directory.py (channel_directory.json, sessions.json)
- gateway/config.py (gateway.json, config.yaml, sessions_dir)
- gateway/mirror.py (sessions/)
- gateway/hooks.py (hooks/)
- gateway/platforms/base.py (image_cache/, audio_cache/, document_cache/)
- gateway/platforms/whatsapp.py (whatsapp/session)
- gateway/delivery.py (cron/output)
- agent/auxiliary_client.py (auth.json)
- agent/prompt_builder.py (SOUL.md)
- cli.py (config.yaml, images/, pastes/, history)
- run_agent.py (logs/)
- tools/environments/base.py (sandboxes/)
- tools/environments/modal.py (modal_snapshots.json)
- tools/environments/singularity.py (singularity_snapshots.json)
- tools/tts_tool.py (audio_cache)
- hermes_cli/status.py (cron/jobs.json, sessions.json)
- hermes_cli/gateway.py (logs/, whatsapp session)
- hermes_cli/main.py (whatsapp/session)
Tests updated to use HERMES_HOME env var instead of patching Path.home().
Closes #892
(cherry picked from commit 78ac1bba43b8b74a934c6172f2c29bb4d03164b9)
2026-03-11 07:31:41 +01:00
|
|
|
from hermes_cli.config import get_env_value, get_hermes_home, save_env_value
|
2026-03-03 18:57:33 -08:00
|
|
|
from hermes_cli.setup import (
|
|
|
|
|
print_header, print_info, print_success, print_warning, print_error,
|
|
|
|
|
prompt, prompt_choice, prompt_yes_no,
|
|
|
|
|
)
|
|
|
|
|
from hermes_cli.colors import Colors, color
|
|
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
|
2026-02-03 10:46:23 -08:00
|
|
|
# =============================================================================
|
|
|
|
|
# Process Management (for manual gateway runs)
|
|
|
|
|
# =============================================================================
|
|
|
|
|
|
|
|
|
|
def find_gateway_pids() -> list:
|
|
|
|
|
"""Find PIDs of running gateway processes."""
|
|
|
|
|
pids = []
|
2026-03-02 22:03:29 -08:00
|
|
|
patterns = [
|
|
|
|
|
"hermes_cli.main gateway",
|
|
|
|
|
"hermes gateway",
|
|
|
|
|
"gateway/run.py",
|
|
|
|
|
]
|
|
|
|
|
|
2026-02-03 10:46:23 -08:00
|
|
|
try:
|
2026-03-02 22:03:29 -08:00
|
|
|
if is_windows():
|
|
|
|
|
# Windows: use wmic to search command lines
|
|
|
|
|
result = subprocess.run(
|
|
|
|
|
["wmic", "process", "get", "ProcessId,CommandLine", "/FORMAT:LIST"],
|
|
|
|
|
capture_output=True, text=True
|
|
|
|
|
)
|
|
|
|
|
# Parse WMIC LIST output: blocks of "CommandLine=...\nProcessId=...\n"
|
|
|
|
|
current_cmd = ""
|
|
|
|
|
for line in result.stdout.split('\n'):
|
|
|
|
|
line = line.strip()
|
|
|
|
|
if line.startswith("CommandLine="):
|
|
|
|
|
current_cmd = line[len("CommandLine="):]
|
|
|
|
|
elif line.startswith("ProcessId="):
|
|
|
|
|
pid_str = line[len("ProcessId="):]
|
|
|
|
|
if any(p in current_cmd for p in patterns):
|
2026-02-03 10:46:23 -08:00
|
|
|
try:
|
2026-03-02 22:03:29 -08:00
|
|
|
pid = int(pid_str)
|
|
|
|
|
if pid != os.getpid() and pid not in pids:
|
2026-02-03 10:46:23 -08:00
|
|
|
pids.append(pid)
|
|
|
|
|
except ValueError:
|
2026-03-02 22:03:29 -08:00
|
|
|
pass
|
|
|
|
|
current_cmd = ""
|
|
|
|
|
else:
|
|
|
|
|
result = subprocess.run(
|
|
|
|
|
["ps", "aux"],
|
|
|
|
|
capture_output=True,
|
|
|
|
|
text=True
|
|
|
|
|
)
|
|
|
|
|
for line in result.stdout.split('\n'):
|
|
|
|
|
# Skip grep and current process
|
|
|
|
|
if 'grep' in line or str(os.getpid()) in line:
|
|
|
|
|
continue
|
|
|
|
|
for pattern in patterns:
|
|
|
|
|
if pattern in line:
|
|
|
|
|
parts = line.split()
|
|
|
|
|
if len(parts) > 1:
|
|
|
|
|
try:
|
|
|
|
|
pid = int(parts[1])
|
|
|
|
|
if pid not in pids:
|
|
|
|
|
pids.append(pid)
|
|
|
|
|
except ValueError:
|
|
|
|
|
continue
|
|
|
|
|
break
|
2026-02-03 10:46:23 -08:00
|
|
|
except Exception:
|
|
|
|
|
pass
|
2026-03-02 22:03:29 -08:00
|
|
|
|
2026-02-03 10:46:23 -08:00
|
|
|
return pids
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def kill_gateway_processes(force: bool = False) -> int:
|
|
|
|
|
"""Kill any running gateway processes. Returns count killed."""
|
|
|
|
|
pids = find_gateway_pids()
|
|
|
|
|
killed = 0
|
|
|
|
|
|
|
|
|
|
for pid in pids:
|
|
|
|
|
try:
|
2026-03-02 22:03:29 -08:00
|
|
|
if force and not is_windows():
|
2026-02-03 10:46:23 -08:00
|
|
|
os.kill(pid, signal.SIGKILL)
|
|
|
|
|
else:
|
|
|
|
|
os.kill(pid, signal.SIGTERM)
|
|
|
|
|
killed += 1
|
|
|
|
|
except ProcessLookupError:
|
|
|
|
|
# Process already gone
|
|
|
|
|
pass
|
|
|
|
|
except PermissionError:
|
|
|
|
|
print(f"⚠ Permission denied to kill PID {pid}")
|
|
|
|
|
|
|
|
|
|
return killed
|
|
|
|
|
|
|
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
def is_linux() -> bool:
|
|
|
|
|
return sys.platform.startswith('linux')
|
|
|
|
|
|
|
|
|
|
def is_macos() -> bool:
|
|
|
|
|
return sys.platform == 'darwin'
|
|
|
|
|
|
|
|
|
|
def is_windows() -> bool:
|
|
|
|
|
return sys.platform == 'win32'
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =============================================================================
|
|
|
|
|
# Service Configuration
|
|
|
|
|
# =============================================================================
|
|
|
|
|
|
|
|
|
|
SERVICE_NAME = "hermes-gateway"
|
|
|
|
|
SERVICE_DESCRIPTION = "Hermes Agent Gateway - Messaging Platform Integration"
|
|
|
|
|
|
2026-03-14 06:11:33 -07:00
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
def get_systemd_unit_path() -> Path:
|
|
|
|
|
return Path.home() / ".config" / "systemd" / "user" / f"{SERVICE_NAME}.service"
|
|
|
|
|
|
2026-03-14 06:11:33 -07:00
|
|
|
|
|
|
|
|
def get_systemd_linger_status() -> tuple[bool | None, str]:
|
|
|
|
|
"""Return whether systemd user lingering is enabled for the current user.
|
|
|
|
|
|
|
|
|
|
Returns:
|
|
|
|
|
(True, "") when linger is enabled.
|
|
|
|
|
(False, "") when linger is disabled.
|
|
|
|
|
(None, detail) when the status could not be determined.
|
|
|
|
|
"""
|
|
|
|
|
if not is_linux():
|
|
|
|
|
return None, "not supported on this platform"
|
|
|
|
|
|
|
|
|
|
import shutil
|
|
|
|
|
|
|
|
|
|
if not shutil.which("loginctl"):
|
|
|
|
|
return None, "loginctl not found"
|
|
|
|
|
|
|
|
|
|
username = os.getenv("USER") or os.getenv("LOGNAME")
|
|
|
|
|
if not username:
|
|
|
|
|
try:
|
|
|
|
|
import pwd
|
|
|
|
|
username = pwd.getpwuid(os.getuid()).pw_name
|
|
|
|
|
except Exception:
|
|
|
|
|
return None, "could not determine current user"
|
|
|
|
|
|
|
|
|
|
try:
|
|
|
|
|
result = subprocess.run(
|
|
|
|
|
["loginctl", "show-user", username, "--property=Linger", "--value"],
|
|
|
|
|
capture_output=True,
|
|
|
|
|
text=True,
|
|
|
|
|
check=False,
|
|
|
|
|
)
|
|
|
|
|
except Exception as e:
|
|
|
|
|
return None, str(e)
|
|
|
|
|
|
|
|
|
|
if result.returncode != 0:
|
|
|
|
|
detail = (result.stderr or result.stdout or f"exit {result.returncode}").strip()
|
|
|
|
|
return None, detail or "loginctl query failed"
|
|
|
|
|
|
|
|
|
|
value = (result.stdout or "").strip().lower()
|
|
|
|
|
if value in {"yes", "true", "1"}:
|
|
|
|
|
return True, ""
|
|
|
|
|
if value in {"no", "false", "0"}:
|
|
|
|
|
return False, ""
|
|
|
|
|
|
|
|
|
|
rendered = value or "<empty>"
|
|
|
|
|
return None, f"unexpected loginctl output: {rendered}"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def print_systemd_linger_guidance() -> None:
|
|
|
|
|
"""Print the current linger status and the fix when it is disabled."""
|
|
|
|
|
linger_enabled, linger_detail = get_systemd_linger_status()
|
|
|
|
|
if linger_enabled is True:
|
|
|
|
|
print("✓ Systemd linger is enabled (service survives logout)")
|
|
|
|
|
elif linger_enabled is False:
|
|
|
|
|
print("⚠ Systemd linger is disabled (gateway may stop when you log out)")
|
|
|
|
|
print(" Run: sudo loginctl enable-linger $USER")
|
|
|
|
|
else:
|
|
|
|
|
print(f"⚠ Could not verify systemd linger ({linger_detail})")
|
|
|
|
|
print(" If you want the gateway user service to survive logout, run:")
|
|
|
|
|
print(" sudo loginctl enable-linger $USER")
|
|
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
def get_launchd_plist_path() -> Path:
|
|
|
|
|
return Path.home() / "Library" / "LaunchAgents" / "ai.hermes.gateway.plist"
|
|
|
|
|
|
|
|
|
|
def get_python_path() -> str:
|
2026-03-02 22:03:29 -08:00
|
|
|
if is_windows():
|
|
|
|
|
venv_python = PROJECT_ROOT / "venv" / "Scripts" / "python.exe"
|
|
|
|
|
else:
|
|
|
|
|
venv_python = PROJECT_ROOT / "venv" / "bin" / "python"
|
2026-02-02 19:01:51 -08:00
|
|
|
if venv_python.exists():
|
|
|
|
|
return str(venv_python)
|
|
|
|
|
return sys.executable
|
|
|
|
|
|
|
|
|
|
def get_hermes_cli_path() -> str:
|
|
|
|
|
"""Get the path to the hermes CLI."""
|
|
|
|
|
# Check if installed via pip
|
|
|
|
|
import shutil
|
|
|
|
|
hermes_bin = shutil.which("hermes")
|
|
|
|
|
if hermes_bin:
|
|
|
|
|
return hermes_bin
|
|
|
|
|
|
|
|
|
|
# Fallback to direct module execution
|
|
|
|
|
return f"{get_python_path()} -m hermes_cli.main"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =============================================================================
|
|
|
|
|
# Systemd (Linux)
|
|
|
|
|
# =============================================================================
|
|
|
|
|
|
|
|
|
|
def generate_systemd_unit() -> str:
|
2026-03-07 18:08:12 +00:00
|
|
|
import shutil
|
2026-02-02 19:01:51 -08:00
|
|
|
python_path = get_python_path()
|
|
|
|
|
working_dir = str(PROJECT_ROOT)
|
2026-03-08 04:36:23 -07:00
|
|
|
venv_dir = str(PROJECT_ROOT / "venv")
|
|
|
|
|
venv_bin = str(PROJECT_ROOT / "venv" / "bin")
|
|
|
|
|
node_bin = str(PROJECT_ROOT / "node_modules" / ".bin")
|
|
|
|
|
|
|
|
|
|
# Build a PATH that includes the venv, node_modules, and standard system dirs
|
|
|
|
|
sane_path = f"{venv_bin}:{node_bin}:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin"
|
2026-02-02 19:01:51 -08:00
|
|
|
|
2026-03-07 18:08:12 +00:00
|
|
|
hermes_cli = shutil.which("hermes") or f"{python_path} -m hermes_cli.main"
|
2026-02-02 19:01:51 -08:00
|
|
|
return f"""[Unit]
|
|
|
|
|
Description={SERVICE_DESCRIPTION}
|
|
|
|
|
After=network.target
|
|
|
|
|
|
|
|
|
|
[Service]
|
|
|
|
|
Type=simple
|
2026-03-07 18:08:12 +00:00
|
|
|
ExecStart={python_path} -m hermes_cli.main gateway run --replace
|
|
|
|
|
ExecStop={hermes_cli} gateway stop
|
2026-02-02 19:01:51 -08:00
|
|
|
WorkingDirectory={working_dir}
|
2026-03-08 04:36:23 -07:00
|
|
|
Environment="PATH={sane_path}"
|
|
|
|
|
Environment="VIRTUAL_ENV={venv_dir}"
|
2026-02-02 19:01:51 -08:00
|
|
|
Restart=on-failure
|
|
|
|
|
RestartSec=10
|
2026-03-07 18:08:12 +00:00
|
|
|
KillMode=mixed
|
|
|
|
|
KillSignal=SIGTERM
|
|
|
|
|
TimeoutStopSec=15
|
2026-02-02 19:01:51 -08:00
|
|
|
StandardOutput=journal
|
|
|
|
|
StandardError=journal
|
|
|
|
|
|
|
|
|
|
[Install]
|
|
|
|
|
WantedBy=default.target
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
def systemd_install(force: bool = False):
|
|
|
|
|
unit_path = get_systemd_unit_path()
|
|
|
|
|
|
|
|
|
|
if unit_path.exists() and not force:
|
|
|
|
|
print(f"Service already installed at: {unit_path}")
|
|
|
|
|
print("Use --force to reinstall")
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
unit_path.parent.mkdir(parents=True, exist_ok=True)
|
|
|
|
|
print(f"Installing systemd service to: {unit_path}")
|
|
|
|
|
unit_path.write_text(generate_systemd_unit())
|
|
|
|
|
|
|
|
|
|
subprocess.run(["systemctl", "--user", "daemon-reload"], check=True)
|
|
|
|
|
subprocess.run(["systemctl", "--user", "enable", SERVICE_NAME], check=True)
|
|
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
print("✓ Service installed and enabled!")
|
|
|
|
|
print()
|
|
|
|
|
print("Next steps:")
|
|
|
|
|
print(f" hermes gateway start # Start the service")
|
|
|
|
|
print(f" hermes gateway status # Check status")
|
|
|
|
|
print(f" journalctl --user -u {SERVICE_NAME} -f # View logs")
|
|
|
|
|
print()
|
2026-03-14 06:11:33 -07:00
|
|
|
print_systemd_linger_guidance()
|
2026-02-02 19:01:51 -08:00
|
|
|
|
|
|
|
|
def systemd_uninstall():
|
|
|
|
|
subprocess.run(["systemctl", "--user", "stop", SERVICE_NAME], check=False)
|
|
|
|
|
subprocess.run(["systemctl", "--user", "disable", SERVICE_NAME], check=False)
|
|
|
|
|
|
|
|
|
|
unit_path = get_systemd_unit_path()
|
|
|
|
|
if unit_path.exists():
|
|
|
|
|
unit_path.unlink()
|
|
|
|
|
print(f"✓ Removed {unit_path}")
|
|
|
|
|
|
|
|
|
|
subprocess.run(["systemctl", "--user", "daemon-reload"], check=True)
|
|
|
|
|
print("✓ Service uninstalled")
|
|
|
|
|
|
|
|
|
|
def systemd_start():
|
|
|
|
|
subprocess.run(["systemctl", "--user", "start", SERVICE_NAME], check=True)
|
|
|
|
|
print("✓ Service started")
|
|
|
|
|
|
|
|
|
|
def systemd_stop():
|
|
|
|
|
subprocess.run(["systemctl", "--user", "stop", SERVICE_NAME], check=True)
|
|
|
|
|
print("✓ Service stopped")
|
|
|
|
|
|
|
|
|
|
def systemd_restart():
|
|
|
|
|
subprocess.run(["systemctl", "--user", "restart", SERVICE_NAME], check=True)
|
|
|
|
|
print("✓ Service restarted")
|
|
|
|
|
|
|
|
|
|
def systemd_status(deep: bool = False):
|
|
|
|
|
# Check if service unit file exists
|
|
|
|
|
unit_path = get_systemd_unit_path()
|
|
|
|
|
if not unit_path.exists():
|
|
|
|
|
print("✗ Gateway service is not installed")
|
|
|
|
|
print(" Run: hermes gateway install")
|
|
|
|
|
return
|
2026-03-14 06:11:33 -07:00
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
# Show detailed status first
|
|
|
|
|
subprocess.run(
|
|
|
|
|
["systemctl", "--user", "status", SERVICE_NAME, "--no-pager"],
|
|
|
|
|
capture_output=False
|
|
|
|
|
)
|
2026-03-14 06:11:33 -07:00
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
# Check if service is active
|
|
|
|
|
result = subprocess.run(
|
|
|
|
|
["systemctl", "--user", "is-active", SERVICE_NAME],
|
|
|
|
|
capture_output=True,
|
|
|
|
|
text=True
|
|
|
|
|
)
|
2026-03-14 06:11:33 -07:00
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
status = result.stdout.strip()
|
2026-03-14 06:11:33 -07:00
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
if status == "active":
|
|
|
|
|
print("✓ Gateway service is running")
|
|
|
|
|
else:
|
|
|
|
|
print("✗ Gateway service is stopped")
|
|
|
|
|
print(" Run: hermes gateway start")
|
2026-03-14 06:11:33 -07:00
|
|
|
|
|
|
|
|
if deep:
|
|
|
|
|
print_systemd_linger_guidance()
|
|
|
|
|
else:
|
|
|
|
|
linger_enabled, _ = get_systemd_linger_status()
|
|
|
|
|
if linger_enabled is True:
|
|
|
|
|
print("✓ Systemd linger is enabled (service survives logout)")
|
|
|
|
|
elif linger_enabled is False:
|
|
|
|
|
print("⚠ Systemd linger is disabled (gateway may stop when you log out)")
|
|
|
|
|
print(" Run: sudo loginctl enable-linger $USER")
|
|
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
if deep:
|
|
|
|
|
print()
|
|
|
|
|
print("Recent logs:")
|
|
|
|
|
subprocess.run([
|
|
|
|
|
"journalctl", "--user", "-u", SERVICE_NAME,
|
|
|
|
|
"-n", "20", "--no-pager"
|
|
|
|
|
])
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =============================================================================
|
|
|
|
|
# Launchd (macOS)
|
|
|
|
|
# =============================================================================
|
|
|
|
|
|
|
|
|
|
def generate_launchd_plist() -> str:
|
|
|
|
|
python_path = get_python_path()
|
|
|
|
|
working_dir = str(PROJECT_ROOT)
|
fix(cli): respect HERMES_HOME in all remaining hardcoded ~/.hermes paths
Several files resolved paths via Path.home() / ".hermes" or
os.path.expanduser("~/.hermes/..."), bypassing the HERMES_HOME
environment variable. This broke isolation when running multiple
Hermes instances with distinct HERMES_HOME directories.
Replace all hardcoded paths with calls to get_hermes_home() from
hermes_cli.config, consistent with the rest of the codebase.
Files fixed:
- tools/process_registry.py (processes.json)
- gateway/pairing.py (pairing/)
- gateway/sticker_cache.py (sticker_cache.json)
- gateway/channel_directory.py (channel_directory.json, sessions.json)
- gateway/config.py (gateway.json, config.yaml, sessions_dir)
- gateway/mirror.py (sessions/)
- gateway/hooks.py (hooks/)
- gateway/platforms/base.py (image_cache/, audio_cache/, document_cache/)
- gateway/platforms/whatsapp.py (whatsapp/session)
- gateway/delivery.py (cron/output)
- agent/auxiliary_client.py (auth.json)
- agent/prompt_builder.py (SOUL.md)
- cli.py (config.yaml, images/, pastes/, history)
- run_agent.py (logs/)
- tools/environments/base.py (sandboxes/)
- tools/environments/modal.py (modal_snapshots.json)
- tools/environments/singularity.py (singularity_snapshots.json)
- tools/tts_tool.py (audio_cache)
- hermes_cli/status.py (cron/jobs.json, sessions.json)
- hermes_cli/gateway.py (logs/, whatsapp session)
- hermes_cli/main.py (whatsapp/session)
Tests updated to use HERMES_HOME env var instead of patching Path.home().
Closes #892
(cherry picked from commit 78ac1bba43b8b74a934c6172f2c29bb4d03164b9)
2026-03-11 07:31:41 +01:00
|
|
|
log_dir = get_hermes_home() / "logs"
|
2026-02-02 19:01:51 -08:00
|
|
|
log_dir.mkdir(parents=True, exist_ok=True)
|
|
|
|
|
|
|
|
|
|
return f"""<?xml version="1.0" encoding="UTF-8"?>
|
|
|
|
|
<!DOCTYPE plist PUBLIC "-//Apple//DTD PLIST 1.0//EN" "http://www.apple.com/DTDs/PropertyList-1.0.dtd">
|
|
|
|
|
<plist version="1.0">
|
|
|
|
|
<dict>
|
|
|
|
|
<key>Label</key>
|
|
|
|
|
<string>ai.hermes.gateway</string>
|
|
|
|
|
|
|
|
|
|
<key>ProgramArguments</key>
|
|
|
|
|
<array>
|
|
|
|
|
<string>{python_path}</string>
|
|
|
|
|
<string>-m</string>
|
|
|
|
|
<string>hermes_cli.main</string>
|
|
|
|
|
<string>gateway</string>
|
|
|
|
|
<string>run</string>
|
|
|
|
|
</array>
|
|
|
|
|
|
|
|
|
|
<key>WorkingDirectory</key>
|
|
|
|
|
<string>{working_dir}</string>
|
|
|
|
|
|
|
|
|
|
<key>RunAtLoad</key>
|
|
|
|
|
<true/>
|
|
|
|
|
|
|
|
|
|
<key>KeepAlive</key>
|
|
|
|
|
<dict>
|
|
|
|
|
<key>SuccessfulExit</key>
|
|
|
|
|
<false/>
|
|
|
|
|
</dict>
|
|
|
|
|
|
|
|
|
|
<key>StandardOutPath</key>
|
|
|
|
|
<string>{log_dir}/gateway.log</string>
|
|
|
|
|
|
|
|
|
|
<key>StandardErrorPath</key>
|
|
|
|
|
<string>{log_dir}/gateway.error.log</string>
|
|
|
|
|
</dict>
|
|
|
|
|
</plist>
|
|
|
|
|
"""
|
|
|
|
|
|
|
|
|
|
def launchd_install(force: bool = False):
|
|
|
|
|
plist_path = get_launchd_plist_path()
|
|
|
|
|
|
|
|
|
|
if plist_path.exists() and not force:
|
|
|
|
|
print(f"Service already installed at: {plist_path}")
|
|
|
|
|
print("Use --force to reinstall")
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
plist_path.parent.mkdir(parents=True, exist_ok=True)
|
|
|
|
|
print(f"Installing launchd service to: {plist_path}")
|
|
|
|
|
plist_path.write_text(generate_launchd_plist())
|
|
|
|
|
|
|
|
|
|
subprocess.run(["launchctl", "load", str(plist_path)], check=True)
|
|
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
print("✓ Service installed and loaded!")
|
|
|
|
|
print()
|
|
|
|
|
print("Next steps:")
|
|
|
|
|
print(" hermes gateway status # Check status")
|
|
|
|
|
print(" tail -f ~/.hermes/logs/gateway.log # View logs")
|
|
|
|
|
|
|
|
|
|
def launchd_uninstall():
|
|
|
|
|
plist_path = get_launchd_plist_path()
|
|
|
|
|
subprocess.run(["launchctl", "unload", str(plist_path)], check=False)
|
|
|
|
|
|
|
|
|
|
if plist_path.exists():
|
|
|
|
|
plist_path.unlink()
|
|
|
|
|
print(f"✓ Removed {plist_path}")
|
|
|
|
|
|
|
|
|
|
print("✓ Service uninstalled")
|
|
|
|
|
|
|
|
|
|
def launchd_start():
|
|
|
|
|
subprocess.run(["launchctl", "start", "ai.hermes.gateway"], check=True)
|
|
|
|
|
print("✓ Service started")
|
|
|
|
|
|
|
|
|
|
def launchd_stop():
|
|
|
|
|
subprocess.run(["launchctl", "stop", "ai.hermes.gateway"], check=True)
|
|
|
|
|
print("✓ Service stopped")
|
|
|
|
|
|
|
|
|
|
def launchd_restart():
|
|
|
|
|
launchd_stop()
|
|
|
|
|
launchd_start()
|
|
|
|
|
|
|
|
|
|
def launchd_status(deep: bool = False):
|
|
|
|
|
result = subprocess.run(
|
|
|
|
|
["launchctl", "list", "ai.hermes.gateway"],
|
|
|
|
|
capture_output=True,
|
|
|
|
|
text=True
|
|
|
|
|
)
|
|
|
|
|
|
|
|
|
|
if result.returncode == 0:
|
|
|
|
|
print("✓ Gateway service is loaded")
|
|
|
|
|
print(result.stdout)
|
|
|
|
|
else:
|
|
|
|
|
print("✗ Gateway service is not loaded")
|
|
|
|
|
|
|
|
|
|
if deep:
|
fix(cli): respect HERMES_HOME in all remaining hardcoded ~/.hermes paths
Several files resolved paths via Path.home() / ".hermes" or
os.path.expanduser("~/.hermes/..."), bypassing the HERMES_HOME
environment variable. This broke isolation when running multiple
Hermes instances with distinct HERMES_HOME directories.
Replace all hardcoded paths with calls to get_hermes_home() from
hermes_cli.config, consistent with the rest of the codebase.
Files fixed:
- tools/process_registry.py (processes.json)
- gateway/pairing.py (pairing/)
- gateway/sticker_cache.py (sticker_cache.json)
- gateway/channel_directory.py (channel_directory.json, sessions.json)
- gateway/config.py (gateway.json, config.yaml, sessions_dir)
- gateway/mirror.py (sessions/)
- gateway/hooks.py (hooks/)
- gateway/platforms/base.py (image_cache/, audio_cache/, document_cache/)
- gateway/platforms/whatsapp.py (whatsapp/session)
- gateway/delivery.py (cron/output)
- agent/auxiliary_client.py (auth.json)
- agent/prompt_builder.py (SOUL.md)
- cli.py (config.yaml, images/, pastes/, history)
- run_agent.py (logs/)
- tools/environments/base.py (sandboxes/)
- tools/environments/modal.py (modal_snapshots.json)
- tools/environments/singularity.py (singularity_snapshots.json)
- tools/tts_tool.py (audio_cache)
- hermes_cli/status.py (cron/jobs.json, sessions.json)
- hermes_cli/gateway.py (logs/, whatsapp session)
- hermes_cli/main.py (whatsapp/session)
Tests updated to use HERMES_HOME env var instead of patching Path.home().
Closes #892
(cherry picked from commit 78ac1bba43b8b74a934c6172f2c29bb4d03164b9)
2026-03-11 07:31:41 +01:00
|
|
|
log_file = get_hermes_home() / "logs" / "gateway.log"
|
2026-02-02 19:01:51 -08:00
|
|
|
if log_file.exists():
|
|
|
|
|
print()
|
|
|
|
|
print("Recent logs:")
|
|
|
|
|
subprocess.run(["tail", "-20", str(log_file)])
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
# =============================================================================
|
|
|
|
|
# Gateway Runner
|
|
|
|
|
# =============================================================================
|
|
|
|
|
|
2026-03-07 18:08:12 +00:00
|
|
|
def run_gateway(verbose: bool = False, replace: bool = False):
|
|
|
|
|
"""Run the gateway in foreground.
|
|
|
|
|
|
|
|
|
|
Args:
|
|
|
|
|
verbose: Enable verbose logging output.
|
|
|
|
|
replace: If True, kill any existing gateway instance before starting.
|
|
|
|
|
This prevents systemd restart loops when the old process
|
|
|
|
|
hasn't fully exited yet.
|
|
|
|
|
"""
|
2026-02-02 19:01:51 -08:00
|
|
|
sys.path.insert(0, str(PROJECT_ROOT))
|
|
|
|
|
|
|
|
|
|
from gateway.run import start_gateway
|
|
|
|
|
|
|
|
|
|
print("┌─────────────────────────────────────────────────────────┐")
|
2026-02-20 21:25:04 -08:00
|
|
|
print("│ ⚕ Hermes Gateway Starting... │")
|
2026-02-02 19:01:51 -08:00
|
|
|
print("├─────────────────────────────────────────────────────────┤")
|
2026-02-21 16:21:19 -08:00
|
|
|
print("│ Messaging platforms + cron scheduler │")
|
2026-02-02 19:01:51 -08:00
|
|
|
print("│ Press Ctrl+C to stop │")
|
|
|
|
|
print("└─────────────────────────────────────────────────────────┘")
|
|
|
|
|
print()
|
|
|
|
|
|
2026-02-10 16:01:00 -08:00
|
|
|
# Exit with code 1 if gateway fails to connect any platform,
|
|
|
|
|
# so systemd Restart=on-failure will retry on transient errors
|
2026-03-07 18:08:12 +00:00
|
|
|
success = asyncio.run(start_gateway(replace=replace))
|
2026-02-10 16:01:00 -08:00
|
|
|
if not success:
|
|
|
|
|
sys.exit(1)
|
2026-02-02 19:01:51 -08:00
|
|
|
|
|
|
|
|
|
2026-03-03 18:57:33 -08:00
|
|
|
# =============================================================================
|
|
|
|
|
# Gateway Setup (Interactive Messaging Platform Configuration)
|
|
|
|
|
# =============================================================================
|
|
|
|
|
|
|
|
|
|
# Per-platform config: each entry defines the env vars, setup instructions,
|
|
|
|
|
# and prompts needed to configure a messaging platform.
|
|
|
|
|
_PLATFORMS = [
|
|
|
|
|
{
|
|
|
|
|
"key": "telegram",
|
|
|
|
|
"label": "Telegram",
|
|
|
|
|
"emoji": "📱",
|
|
|
|
|
"token_var": "TELEGRAM_BOT_TOKEN",
|
2026-03-03 20:05:15 -08:00
|
|
|
"setup_instructions": [
|
|
|
|
|
"1. Open Telegram and message @BotFather",
|
|
|
|
|
"2. Send /newbot and follow the prompts to create your bot",
|
|
|
|
|
"3. Copy the bot token BotFather gives you",
|
|
|
|
|
"4. To find your user ID: message @userinfobot — it replies with your numeric ID",
|
|
|
|
|
],
|
2026-03-03 18:57:33 -08:00
|
|
|
"vars": [
|
|
|
|
|
{"name": "TELEGRAM_BOT_TOKEN", "prompt": "Bot token", "password": True,
|
2026-03-03 20:05:15 -08:00
|
|
|
"help": "Paste the token from @BotFather (step 3 above)."},
|
2026-03-03 19:55:06 -08:00
|
|
|
{"name": "TELEGRAM_ALLOWED_USERS", "prompt": "Allowed user IDs (comma-separated)", "password": False,
|
|
|
|
|
"is_allowlist": True,
|
2026-03-03 20:05:15 -08:00
|
|
|
"help": "Paste your user ID from step 4 above."},
|
2026-03-03 18:57:33 -08:00
|
|
|
{"name": "TELEGRAM_HOME_CHANNEL", "prompt": "Home channel ID (for cron/notification delivery, or empty to set later with /set-home)", "password": False,
|
|
|
|
|
"help": "For DMs, this is your user ID. You can set it later by typing /set-home in chat."},
|
|
|
|
|
],
|
|
|
|
|
},
|
|
|
|
|
{
|
|
|
|
|
"key": "discord",
|
|
|
|
|
"label": "Discord",
|
|
|
|
|
"emoji": "💬",
|
|
|
|
|
"token_var": "DISCORD_BOT_TOKEN",
|
2026-03-03 20:05:15 -08:00
|
|
|
"setup_instructions": [
|
|
|
|
|
"1. Go to https://discord.com/developers/applications → New Application",
|
|
|
|
|
"2. Go to Bot → Reset Token → copy the bot token",
|
|
|
|
|
"3. Enable: Bot → Privileged Gateway Intents → Message Content Intent",
|
|
|
|
|
"4. Invite the bot to your server:",
|
|
|
|
|
" OAuth2 → URL Generator → check BOTH scopes:",
|
|
|
|
|
" - bot",
|
|
|
|
|
" - applications.commands (required for slash commands!)",
|
|
|
|
|
" Bot Permissions: Send Messages, Read Message History, Attach Files",
|
|
|
|
|
" Copy the URL and open it in your browser to invite.",
|
|
|
|
|
"5. Get your user ID: enable Developer Mode in Discord settings,",
|
|
|
|
|
" then right-click your name → Copy ID",
|
|
|
|
|
],
|
2026-03-03 18:57:33 -08:00
|
|
|
"vars": [
|
|
|
|
|
{"name": "DISCORD_BOT_TOKEN", "prompt": "Bot token", "password": True,
|
2026-03-03 20:05:15 -08:00
|
|
|
"help": "Paste the token from step 2 above."},
|
2026-03-03 19:55:06 -08:00
|
|
|
{"name": "DISCORD_ALLOWED_USERS", "prompt": "Allowed user IDs or usernames (comma-separated)", "password": False,
|
|
|
|
|
"is_allowlist": True,
|
2026-03-03 20:05:15 -08:00
|
|
|
"help": "Paste your user ID from step 5 above."},
|
2026-03-03 18:57:33 -08:00
|
|
|
{"name": "DISCORD_HOME_CHANNEL", "prompt": "Home channel ID (for cron/notification delivery, or empty to set later with /set-home)", "password": False,
|
|
|
|
|
"help": "Right-click a channel → Copy Channel ID (requires Developer Mode)."},
|
|
|
|
|
],
|
|
|
|
|
},
|
|
|
|
|
{
|
|
|
|
|
"key": "slack",
|
|
|
|
|
"label": "Slack",
|
|
|
|
|
"emoji": "💼",
|
|
|
|
|
"token_var": "SLACK_BOT_TOKEN",
|
2026-03-03 20:05:15 -08:00
|
|
|
"setup_instructions": [
|
|
|
|
|
"1. Go to https://api.slack.com/apps → Create New App → From Scratch",
|
2026-03-09 14:31:19 -07:00
|
|
|
"2. Enable Socket Mode: Settings → Socket Mode → Enable",
|
|
|
|
|
" Create an App-Level Token with scope: connections:write → copy xapp-... token",
|
|
|
|
|
"3. Add Bot Token Scopes: Features → OAuth & Permissions → Scopes",
|
|
|
|
|
" Required: chat:write, app_mentions:read, channels:history, channels:read,",
|
|
|
|
|
" groups:history, im:history, im:read, im:write, users:read, files:write",
|
|
|
|
|
"4. Subscribe to Events: Features → Event Subscriptions → Enable",
|
|
|
|
|
" Required events: message.im, message.channels, app_mention",
|
|
|
|
|
" Optional: message.groups (for private channels)",
|
|
|
|
|
" ⚠ Without message.channels the bot will ONLY work in DMs!",
|
|
|
|
|
"5. Install to Workspace: Settings → Install App → copy xoxb-... token",
|
|
|
|
|
"6. Reinstall the app after any scope or event changes",
|
2026-03-03 20:05:15 -08:00
|
|
|
"7. Find your user ID: click your profile → three dots → Copy member ID",
|
2026-03-09 14:31:19 -07:00
|
|
|
"8. Invite the bot to channels: /invite @YourBot",
|
2026-03-03 20:05:15 -08:00
|
|
|
],
|
2026-03-03 18:57:33 -08:00
|
|
|
"vars": [
|
|
|
|
|
{"name": "SLACK_BOT_TOKEN", "prompt": "Bot Token (xoxb-...)", "password": True,
|
2026-03-03 20:05:15 -08:00
|
|
|
"help": "Paste the bot token from step 3 above."},
|
2026-03-03 18:57:33 -08:00
|
|
|
{"name": "SLACK_APP_TOKEN", "prompt": "App Token (xapp-...)", "password": True,
|
2026-03-03 20:05:15 -08:00
|
|
|
"help": "Paste the app-level token from step 4 above."},
|
2026-03-03 19:55:06 -08:00
|
|
|
{"name": "SLACK_ALLOWED_USERS", "prompt": "Allowed user IDs (comma-separated)", "password": False,
|
|
|
|
|
"is_allowlist": True,
|
2026-03-03 20:05:15 -08:00
|
|
|
"help": "Paste your member ID from step 7 above."},
|
2026-03-03 18:57:33 -08:00
|
|
|
],
|
|
|
|
|
},
|
|
|
|
|
{
|
|
|
|
|
"key": "whatsapp",
|
|
|
|
|
"label": "WhatsApp",
|
|
|
|
|
"emoji": "📲",
|
|
|
|
|
"token_var": "WHATSAPP_ENABLED",
|
|
|
|
|
},
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
{
|
|
|
|
|
"key": "signal",
|
|
|
|
|
"label": "Signal",
|
|
|
|
|
"emoji": "📡",
|
|
|
|
|
"token_var": "SIGNAL_HTTP_URL",
|
|
|
|
|
},
|
feat: add email gateway platform (IMAP/SMTP)
Allow users to interact with Hermes by sending and receiving emails.
Uses IMAP polling for incoming messages and SMTP for replies with
proper threading (In-Reply-To, References headers).
Integrates with all 14 gateway extension points: config, adapter
factory, authorization, send_message tool, cron delivery, toolsets,
prompt hints, channel directory, setup wizard, status display, and
env example.
65 tests covering config, parsing, dispatch, threading, IMAP fetch,
SMTP send, attachments, and all integration points.
2026-03-10 03:15:38 +03:00
|
|
|
{
|
|
|
|
|
"key": "email",
|
|
|
|
|
"label": "Email",
|
|
|
|
|
"emoji": "📧",
|
|
|
|
|
"token_var": "EMAIL_ADDRESS",
|
|
|
|
|
"setup_instructions": [
|
|
|
|
|
"1. Use a dedicated email account for your Hermes agent",
|
|
|
|
|
"2. For Gmail: enable 2FA, then create an App Password at",
|
|
|
|
|
" https://myaccount.google.com/apppasswords",
|
|
|
|
|
"3. For other providers: use your email password or app-specific password",
|
|
|
|
|
"4. IMAP must be enabled on your email account",
|
|
|
|
|
],
|
|
|
|
|
"vars": [
|
|
|
|
|
{"name": "EMAIL_ADDRESS", "prompt": "Email address", "password": False,
|
|
|
|
|
"help": "The email address Hermes will use (e.g., hermes@gmail.com)."},
|
|
|
|
|
{"name": "EMAIL_PASSWORD", "prompt": "Email password (or app password)", "password": True,
|
|
|
|
|
"help": "For Gmail, use an App Password (not your regular password)."},
|
|
|
|
|
{"name": "EMAIL_IMAP_HOST", "prompt": "IMAP host", "password": False,
|
|
|
|
|
"help": "e.g., imap.gmail.com for Gmail, outlook.office365.com for Outlook."},
|
|
|
|
|
{"name": "EMAIL_SMTP_HOST", "prompt": "SMTP host", "password": False,
|
|
|
|
|
"help": "e.g., smtp.gmail.com for Gmail, smtp.office365.com for Outlook."},
|
|
|
|
|
{"name": "EMAIL_ALLOWED_USERS", "prompt": "Allowed sender emails (comma-separated)", "password": False,
|
|
|
|
|
"is_allowlist": True,
|
|
|
|
|
"help": "Only emails from these addresses will be processed."},
|
|
|
|
|
],
|
|
|
|
|
},
|
2026-03-03 18:57:33 -08:00
|
|
|
]
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def _platform_status(platform: dict) -> str:
|
2026-03-03 19:04:32 -08:00
|
|
|
"""Return a plain-text status string for a platform.
|
|
|
|
|
|
|
|
|
|
Returns uncolored text so it can safely be embedded in
|
|
|
|
|
simple_term_menu items (ANSI codes break width calculation).
|
|
|
|
|
"""
|
2026-03-03 18:57:33 -08:00
|
|
|
token_var = platform["token_var"]
|
|
|
|
|
val = get_env_value(token_var)
|
|
|
|
|
if token_var == "WHATSAPP_ENABLED":
|
|
|
|
|
if val and val.lower() == "true":
|
fix(cli): respect HERMES_HOME in all remaining hardcoded ~/.hermes paths
Several files resolved paths via Path.home() / ".hermes" or
os.path.expanduser("~/.hermes/..."), bypassing the HERMES_HOME
environment variable. This broke isolation when running multiple
Hermes instances with distinct HERMES_HOME directories.
Replace all hardcoded paths with calls to get_hermes_home() from
hermes_cli.config, consistent with the rest of the codebase.
Files fixed:
- tools/process_registry.py (processes.json)
- gateway/pairing.py (pairing/)
- gateway/sticker_cache.py (sticker_cache.json)
- gateway/channel_directory.py (channel_directory.json, sessions.json)
- gateway/config.py (gateway.json, config.yaml, sessions_dir)
- gateway/mirror.py (sessions/)
- gateway/hooks.py (hooks/)
- gateway/platforms/base.py (image_cache/, audio_cache/, document_cache/)
- gateway/platforms/whatsapp.py (whatsapp/session)
- gateway/delivery.py (cron/output)
- agent/auxiliary_client.py (auth.json)
- agent/prompt_builder.py (SOUL.md)
- cli.py (config.yaml, images/, pastes/, history)
- run_agent.py (logs/)
- tools/environments/base.py (sandboxes/)
- tools/environments/modal.py (modal_snapshots.json)
- tools/environments/singularity.py (singularity_snapshots.json)
- tools/tts_tool.py (audio_cache)
- hermes_cli/status.py (cron/jobs.json, sessions.json)
- hermes_cli/gateway.py (logs/, whatsapp session)
- hermes_cli/main.py (whatsapp/session)
Tests updated to use HERMES_HOME env var instead of patching Path.home().
Closes #892
(cherry picked from commit 78ac1bba43b8b74a934c6172f2c29bb4d03164b9)
2026-03-11 07:31:41 +01:00
|
|
|
session_file = get_hermes_home() / "whatsapp" / "session" / "creds.json"
|
2026-03-03 18:57:33 -08:00
|
|
|
if session_file.exists():
|
2026-03-03 19:04:32 -08:00
|
|
|
return "configured + paired"
|
|
|
|
|
return "enabled, not paired"
|
|
|
|
|
return "not configured"
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
if platform.get("key") == "signal":
|
|
|
|
|
account = get_env_value("SIGNAL_ACCOUNT")
|
|
|
|
|
if val and account:
|
|
|
|
|
return "configured"
|
|
|
|
|
if val or account:
|
|
|
|
|
return "partially configured"
|
|
|
|
|
return "not configured"
|
feat: add email gateway platform (IMAP/SMTP)
Allow users to interact with Hermes by sending and receiving emails.
Uses IMAP polling for incoming messages and SMTP for replies with
proper threading (In-Reply-To, References headers).
Integrates with all 14 gateway extension points: config, adapter
factory, authorization, send_message tool, cron delivery, toolsets,
prompt hints, channel directory, setup wizard, status display, and
env example.
65 tests covering config, parsing, dispatch, threading, IMAP fetch,
SMTP send, attachments, and all integration points.
2026-03-10 03:15:38 +03:00
|
|
|
if platform.get("key") == "email":
|
|
|
|
|
pwd = get_env_value("EMAIL_PASSWORD")
|
|
|
|
|
imap = get_env_value("EMAIL_IMAP_HOST")
|
|
|
|
|
smtp = get_env_value("EMAIL_SMTP_HOST")
|
|
|
|
|
if all([val, pwd, imap, smtp]):
|
|
|
|
|
return "configured"
|
|
|
|
|
if any([val, pwd, imap, smtp]):
|
|
|
|
|
return "partially configured"
|
|
|
|
|
return "not configured"
|
2026-03-03 18:57:33 -08:00
|
|
|
if val:
|
2026-03-03 19:04:32 -08:00
|
|
|
return "configured"
|
|
|
|
|
return "not configured"
|
2026-03-03 18:57:33 -08:00
|
|
|
|
|
|
|
|
|
|
|
|
|
def _setup_standard_platform(platform: dict):
|
|
|
|
|
"""Interactive setup for Telegram, Discord, or Slack."""
|
|
|
|
|
emoji = platform["emoji"]
|
|
|
|
|
label = platform["label"]
|
|
|
|
|
token_var = platform["token_var"]
|
|
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
print(color(f" ─── {emoji} {label} Setup ───", Colors.CYAN))
|
|
|
|
|
|
2026-03-03 20:05:15 -08:00
|
|
|
# Show step-by-step setup instructions if this platform has them
|
|
|
|
|
instructions = platform.get("setup_instructions")
|
|
|
|
|
if instructions:
|
|
|
|
|
print()
|
|
|
|
|
for line in instructions:
|
|
|
|
|
print_info(f" {line}")
|
|
|
|
|
|
2026-03-03 18:57:33 -08:00
|
|
|
existing_token = get_env_value(token_var)
|
|
|
|
|
if existing_token:
|
|
|
|
|
print()
|
|
|
|
|
print_success(f"{label} is already configured.")
|
|
|
|
|
if not prompt_yes_no(f" Reconfigure {label}?", False):
|
|
|
|
|
return
|
|
|
|
|
|
2026-03-03 19:55:06 -08:00
|
|
|
allowed_val_set = None # Track if user set an allowlist (for home channel offer)
|
|
|
|
|
|
2026-03-03 18:57:33 -08:00
|
|
|
for var in platform["vars"]:
|
|
|
|
|
print()
|
|
|
|
|
print_info(f" {var['help']}")
|
|
|
|
|
existing = get_env_value(var["name"])
|
|
|
|
|
if existing and var["name"] != token_var:
|
|
|
|
|
print_info(f" Current: {existing}")
|
|
|
|
|
|
2026-03-03 19:55:06 -08:00
|
|
|
# Allowlist fields get special handling for the deny-by-default security model
|
|
|
|
|
if var.get("is_allowlist"):
|
|
|
|
|
print_info(f" The gateway DENIES all users by default for security.")
|
|
|
|
|
print_info(f" Enter user IDs to create an allowlist, or leave empty")
|
|
|
|
|
print_info(f" and you'll be asked about open access next.")
|
|
|
|
|
value = prompt(f" {var['prompt']}", password=False)
|
|
|
|
|
if value:
|
|
|
|
|
cleaned = value.replace(" ", "")
|
2026-03-13 09:35:39 -07:00
|
|
|
# For Discord, strip common prefixes (user:123, <@123>, <@!123>)
|
|
|
|
|
if "DISCORD" in var["name"]:
|
|
|
|
|
parts = []
|
|
|
|
|
for uid in cleaned.split(","):
|
|
|
|
|
uid = uid.strip()
|
|
|
|
|
if uid.startswith("<@") and uid.endswith(">"):
|
|
|
|
|
uid = uid.lstrip("<@!").rstrip(">")
|
|
|
|
|
if uid.lower().startswith("user:"):
|
|
|
|
|
uid = uid[5:]
|
|
|
|
|
if uid:
|
|
|
|
|
parts.append(uid)
|
|
|
|
|
cleaned = ",".join(parts)
|
2026-03-03 19:55:06 -08:00
|
|
|
save_env_value(var["name"], cleaned)
|
|
|
|
|
print_success(f" Saved — only these users can interact with the bot.")
|
|
|
|
|
allowed_val_set = cleaned
|
|
|
|
|
else:
|
|
|
|
|
# No allowlist — ask about open access vs DM pairing
|
|
|
|
|
print()
|
|
|
|
|
access_choices = [
|
|
|
|
|
"Enable open access (anyone can message the bot)",
|
|
|
|
|
"Use DM pairing (unknown users request access, you approve with 'hermes pairing approve')",
|
|
|
|
|
"Skip for now (bot will deny all users until configured)",
|
|
|
|
|
]
|
|
|
|
|
access_idx = prompt_choice(" How should unauthorized users be handled?", access_choices, 1)
|
|
|
|
|
if access_idx == 0:
|
|
|
|
|
save_env_value("GATEWAY_ALLOW_ALL_USERS", "true")
|
|
|
|
|
print_warning(" Open access enabled — anyone can use your bot!")
|
|
|
|
|
elif access_idx == 1:
|
|
|
|
|
print_success(" DM pairing mode — users will receive a code to request access.")
|
|
|
|
|
print_info(" Approve with: hermes pairing approve {platform} {code}")
|
|
|
|
|
else:
|
|
|
|
|
print_info(" Skipped — configure later with 'hermes gateway setup'")
|
|
|
|
|
continue
|
|
|
|
|
|
2026-03-03 18:57:33 -08:00
|
|
|
value = prompt(f" {var['prompt']}", password=var.get("password", False))
|
|
|
|
|
if value:
|
2026-03-03 19:55:06 -08:00
|
|
|
save_env_value(var["name"], value)
|
2026-03-03 18:57:33 -08:00
|
|
|
print_success(f" Saved {var['name']}")
|
|
|
|
|
elif var["name"] == token_var:
|
|
|
|
|
print_warning(f" Skipped — {label} won't work without this.")
|
|
|
|
|
return
|
|
|
|
|
else:
|
|
|
|
|
print_info(f" Skipped (can configure later)")
|
|
|
|
|
|
2026-03-03 19:55:06 -08:00
|
|
|
# If an allowlist was set and home channel wasn't, offer to reuse
|
|
|
|
|
# the first user ID (common for Telegram DMs).
|
2026-03-03 18:57:33 -08:00
|
|
|
home_var = f"{label.upper()}_HOME_CHANNEL"
|
|
|
|
|
home_val = get_env_value(home_var)
|
2026-03-03 19:55:06 -08:00
|
|
|
if allowed_val_set and not home_val and label == "Telegram":
|
|
|
|
|
first_id = allowed_val_set.split(",")[0].strip()
|
2026-03-03 18:57:33 -08:00
|
|
|
if first_id and prompt_yes_no(f" Use your user ID ({first_id}) as the home channel?", True):
|
|
|
|
|
save_env_value(home_var, first_id)
|
|
|
|
|
print_success(f" Home channel set to {first_id}")
|
|
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
print_success(f"{emoji} {label} configured!")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def _setup_whatsapp():
|
|
|
|
|
"""Delegate to the existing WhatsApp setup flow."""
|
|
|
|
|
from hermes_cli.main import cmd_whatsapp
|
|
|
|
|
import argparse
|
|
|
|
|
cmd_whatsapp(argparse.Namespace())
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def _is_service_installed() -> bool:
|
|
|
|
|
"""Check if the gateway is installed as a system service."""
|
|
|
|
|
if is_linux():
|
|
|
|
|
return get_systemd_unit_path().exists()
|
|
|
|
|
elif is_macos():
|
|
|
|
|
return get_launchd_plist_path().exists()
|
|
|
|
|
return False
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
def _is_service_running() -> bool:
|
|
|
|
|
"""Check if the gateway service is currently running."""
|
|
|
|
|
if is_linux() and get_systemd_unit_path().exists():
|
|
|
|
|
result = subprocess.run(
|
|
|
|
|
["systemctl", "--user", "is-active", SERVICE_NAME],
|
|
|
|
|
capture_output=True, text=True
|
|
|
|
|
)
|
|
|
|
|
return result.stdout.strip() == "active"
|
|
|
|
|
elif is_macos() and get_launchd_plist_path().exists():
|
|
|
|
|
result = subprocess.run(
|
|
|
|
|
["launchctl", "list", "ai.hermes.gateway"],
|
|
|
|
|
capture_output=True, text=True
|
|
|
|
|
)
|
|
|
|
|
return result.returncode == 0
|
|
|
|
|
# Check for manual processes
|
|
|
|
|
return len(find_gateway_pids()) > 0
|
|
|
|
|
|
|
|
|
|
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
def _setup_signal():
|
|
|
|
|
"""Interactive setup for Signal messenger."""
|
|
|
|
|
import shutil
|
|
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
print(color(" ─── 📡 Signal Setup ───", Colors.CYAN))
|
|
|
|
|
|
|
|
|
|
existing_url = get_env_value("SIGNAL_HTTP_URL")
|
|
|
|
|
existing_account = get_env_value("SIGNAL_ACCOUNT")
|
|
|
|
|
if existing_url and existing_account:
|
|
|
|
|
print()
|
|
|
|
|
print_success("Signal is already configured.")
|
|
|
|
|
if not prompt_yes_no(" Reconfigure Signal?", False):
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
# Check if signal-cli is available
|
|
|
|
|
print()
|
|
|
|
|
if shutil.which("signal-cli"):
|
|
|
|
|
print_success("signal-cli found on PATH.")
|
|
|
|
|
else:
|
|
|
|
|
print_warning("signal-cli not found on PATH.")
|
|
|
|
|
print_info(" Signal requires signal-cli running as an HTTP daemon.")
|
|
|
|
|
print_info(" Install options:")
|
|
|
|
|
print_info(" Linux: sudo apt install signal-cli")
|
|
|
|
|
print_info(" or download from https://github.com/AsamK/signal-cli")
|
|
|
|
|
print_info(" macOS: brew install signal-cli")
|
|
|
|
|
print_info(" Docker: bbernhard/signal-cli-rest-api")
|
|
|
|
|
print()
|
|
|
|
|
print_info(" After installing, link your account and start the daemon:")
|
|
|
|
|
print_info(" signal-cli link -n \"HermesAgent\"")
|
|
|
|
|
print_info(" signal-cli --account +YOURNUMBER daemon --http 127.0.0.1:8080")
|
|
|
|
|
print()
|
|
|
|
|
|
|
|
|
|
# HTTP URL
|
|
|
|
|
print()
|
|
|
|
|
print_info(" Enter the URL where signal-cli HTTP daemon is running.")
|
|
|
|
|
default_url = existing_url or "http://127.0.0.1:8080"
|
|
|
|
|
try:
|
|
|
|
|
url = input(f" HTTP URL [{default_url}]: ").strip() or default_url
|
|
|
|
|
except (EOFError, KeyboardInterrupt):
|
|
|
|
|
print("\n Setup cancelled.")
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
# Test connectivity
|
|
|
|
|
print_info(" Testing connection...")
|
|
|
|
|
try:
|
|
|
|
|
import httpx
|
|
|
|
|
resp = httpx.get(f"{url.rstrip('/')}/api/v1/check", timeout=10.0)
|
|
|
|
|
if resp.status_code == 200:
|
|
|
|
|
print_success(" signal-cli daemon is reachable!")
|
|
|
|
|
else:
|
|
|
|
|
print_warning(f" signal-cli responded with status {resp.status_code}.")
|
|
|
|
|
if not prompt_yes_no(" Continue anyway?", False):
|
|
|
|
|
return
|
|
|
|
|
except Exception as e:
|
|
|
|
|
print_warning(f" Could not reach signal-cli at {url}: {e}")
|
|
|
|
|
if not prompt_yes_no(" Save this URL anyway? (you can start signal-cli later)", True):
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
save_env_value("SIGNAL_HTTP_URL", url)
|
|
|
|
|
|
|
|
|
|
# Account phone number
|
|
|
|
|
print()
|
|
|
|
|
print_info(" Enter your Signal account phone number in E.164 format.")
|
|
|
|
|
print_info(" Example: +15551234567")
|
|
|
|
|
default_account = existing_account or ""
|
|
|
|
|
try:
|
|
|
|
|
account = input(f" Account number{f' [{default_account}]' if default_account else ''}: ").strip()
|
|
|
|
|
if not account:
|
|
|
|
|
account = default_account
|
|
|
|
|
except (EOFError, KeyboardInterrupt):
|
|
|
|
|
print("\n Setup cancelled.")
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
if not account:
|
|
|
|
|
print_error(" Account number is required.")
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
save_env_value("SIGNAL_ACCOUNT", account)
|
|
|
|
|
|
|
|
|
|
# Allowed users
|
|
|
|
|
print()
|
|
|
|
|
print_info(" The gateway DENIES all users by default for security.")
|
|
|
|
|
print_info(" Enter phone numbers or UUIDs of allowed users (comma-separated).")
|
|
|
|
|
existing_allowed = get_env_value("SIGNAL_ALLOWED_USERS") or ""
|
|
|
|
|
default_allowed = existing_allowed or account
|
|
|
|
|
try:
|
|
|
|
|
allowed = input(f" Allowed users [{default_allowed}]: ").strip() or default_allowed
|
|
|
|
|
except (EOFError, KeyboardInterrupt):
|
|
|
|
|
print("\n Setup cancelled.")
|
|
|
|
|
return
|
|
|
|
|
|
|
|
|
|
save_env_value("SIGNAL_ALLOWED_USERS", allowed)
|
|
|
|
|
|
fix: Signal adapter parity pass — integration gaps, clawdbot features, env var simplification
Integration gaps fixed (7 files missing Signal):
- cron/scheduler.py: Signal in platform_map (cron delivery was broken)
- agent/prompt_builder.py: PLATFORM_HINTS for Signal (agent knows it's on Signal)
- toolsets.py: hermes-signal toolset + added to hermes-gateway composite
- hermes_cli/status.py: Signal + Slack in platform status display
- tools/send_message_tool.py: Signal example in target description
- tools/cronjob_tools.py: Signal in delivery option docs + schema
- gateway/channel_directory.py: Signal in session-based channel discovery
Clawdbot parity features added to signal.py:
- Self-message filtering: prevents reply loops by checking sender != account
- SyncMessage filtering: ignores sync envelopes (sent transcripts, read receipts)
- Edit message support: reads dataMessage from editMessage envelope
- Mention rendering: replaces \uFFFC placeholders with @identifier text
- Jitter in SSE reconnection backoff (20% randomization, prevents thundering herd)
Env var simplification (7 → 4):
- Removed SIGNAL_DM_POLICY (DM auth follows standard platform pattern via
SIGNAL_ALLOWED_USERS + DM pairing, same as Telegram/Discord)
- Removed SIGNAL_GROUP_POLICY (derived from SIGNAL_GROUP_ALLOWED_USERS:
not set = disabled, set with IDs = allowlist, set with * = open)
- Removed SIGNAL_DEBUG (was setting root logger, removed entirely)
- Remaining: SIGNAL_HTTP_URL, SIGNAL_ACCOUNT (required),
SIGNAL_ALLOWED_USERS, SIGNAL_GROUP_ALLOWED_USERS (optional)
Updated all docs (website, AGENTS.md, signal.md) to match.
2026-03-08 21:00:21 -07:00
|
|
|
# Group messaging
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
print()
|
fix: Signal adapter parity pass — integration gaps, clawdbot features, env var simplification
Integration gaps fixed (7 files missing Signal):
- cron/scheduler.py: Signal in platform_map (cron delivery was broken)
- agent/prompt_builder.py: PLATFORM_HINTS for Signal (agent knows it's on Signal)
- toolsets.py: hermes-signal toolset + added to hermes-gateway composite
- hermes_cli/status.py: Signal + Slack in platform status display
- tools/send_message_tool.py: Signal example in target description
- tools/cronjob_tools.py: Signal in delivery option docs + schema
- gateway/channel_directory.py: Signal in session-based channel discovery
Clawdbot parity features added to signal.py:
- Self-message filtering: prevents reply loops by checking sender != account
- SyncMessage filtering: ignores sync envelopes (sent transcripts, read receipts)
- Edit message support: reads dataMessage from editMessage envelope
- Mention rendering: replaces \uFFFC placeholders with @identifier text
- Jitter in SSE reconnection backoff (20% randomization, prevents thundering herd)
Env var simplification (7 → 4):
- Removed SIGNAL_DM_POLICY (DM auth follows standard platform pattern via
SIGNAL_ALLOWED_USERS + DM pairing, same as Telegram/Discord)
- Removed SIGNAL_GROUP_POLICY (derived from SIGNAL_GROUP_ALLOWED_USERS:
not set = disabled, set with IDs = allowlist, set with * = open)
- Removed SIGNAL_DEBUG (was setting root logger, removed entirely)
- Remaining: SIGNAL_HTTP_URL, SIGNAL_ACCOUNT (required),
SIGNAL_ALLOWED_USERS, SIGNAL_GROUP_ALLOWED_USERS (optional)
Updated all docs (website, AGENTS.md, signal.md) to match.
2026-03-08 21:00:21 -07:00
|
|
|
if prompt_yes_no(" Enable group messaging? (disabled by default for security)", False):
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
print()
|
fix: Signal adapter parity pass — integration gaps, clawdbot features, env var simplification
Integration gaps fixed (7 files missing Signal):
- cron/scheduler.py: Signal in platform_map (cron delivery was broken)
- agent/prompt_builder.py: PLATFORM_HINTS for Signal (agent knows it's on Signal)
- toolsets.py: hermes-signal toolset + added to hermes-gateway composite
- hermes_cli/status.py: Signal + Slack in platform status display
- tools/send_message_tool.py: Signal example in target description
- tools/cronjob_tools.py: Signal in delivery option docs + schema
- gateway/channel_directory.py: Signal in session-based channel discovery
Clawdbot parity features added to signal.py:
- Self-message filtering: prevents reply loops by checking sender != account
- SyncMessage filtering: ignores sync envelopes (sent transcripts, read receipts)
- Edit message support: reads dataMessage from editMessage envelope
- Mention rendering: replaces \uFFFC placeholders with @identifier text
- Jitter in SSE reconnection backoff (20% randomization, prevents thundering herd)
Env var simplification (7 → 4):
- Removed SIGNAL_DM_POLICY (DM auth follows standard platform pattern via
SIGNAL_ALLOWED_USERS + DM pairing, same as Telegram/Discord)
- Removed SIGNAL_GROUP_POLICY (derived from SIGNAL_GROUP_ALLOWED_USERS:
not set = disabled, set with IDs = allowlist, set with * = open)
- Removed SIGNAL_DEBUG (was setting root logger, removed entirely)
- Remaining: SIGNAL_HTTP_URL, SIGNAL_ACCOUNT (required),
SIGNAL_ALLOWED_USERS, SIGNAL_GROUP_ALLOWED_USERS (optional)
Updated all docs (website, AGENTS.md, signal.md) to match.
2026-03-08 21:00:21 -07:00
|
|
|
print_info(" Enter group IDs to allow, or * for all groups.")
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
existing_groups = get_env_value("SIGNAL_GROUP_ALLOWED_USERS") or ""
|
|
|
|
|
try:
|
fix: Signal adapter parity pass — integration gaps, clawdbot features, env var simplification
Integration gaps fixed (7 files missing Signal):
- cron/scheduler.py: Signal in platform_map (cron delivery was broken)
- agent/prompt_builder.py: PLATFORM_HINTS for Signal (agent knows it's on Signal)
- toolsets.py: hermes-signal toolset + added to hermes-gateway composite
- hermes_cli/status.py: Signal + Slack in platform status display
- tools/send_message_tool.py: Signal example in target description
- tools/cronjob_tools.py: Signal in delivery option docs + schema
- gateway/channel_directory.py: Signal in session-based channel discovery
Clawdbot parity features added to signal.py:
- Self-message filtering: prevents reply loops by checking sender != account
- SyncMessage filtering: ignores sync envelopes (sent transcripts, read receipts)
- Edit message support: reads dataMessage from editMessage envelope
- Mention rendering: replaces \uFFFC placeholders with @identifier text
- Jitter in SSE reconnection backoff (20% randomization, prevents thundering herd)
Env var simplification (7 → 4):
- Removed SIGNAL_DM_POLICY (DM auth follows standard platform pattern via
SIGNAL_ALLOWED_USERS + DM pairing, same as Telegram/Discord)
- Removed SIGNAL_GROUP_POLICY (derived from SIGNAL_GROUP_ALLOWED_USERS:
not set = disabled, set with IDs = allowlist, set with * = open)
- Removed SIGNAL_DEBUG (was setting root logger, removed entirely)
- Remaining: SIGNAL_HTTP_URL, SIGNAL_ACCOUNT (required),
SIGNAL_ALLOWED_USERS, SIGNAL_GROUP_ALLOWED_USERS (optional)
Updated all docs (website, AGENTS.md, signal.md) to match.
2026-03-08 21:00:21 -07:00
|
|
|
groups = input(f" Group IDs [{existing_groups or '*'}]: ").strip() or existing_groups or "*"
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
except (EOFError, KeyboardInterrupt):
|
|
|
|
|
print("\n Setup cancelled.")
|
|
|
|
|
return
|
fix: Signal adapter parity pass — integration gaps, clawdbot features, env var simplification
Integration gaps fixed (7 files missing Signal):
- cron/scheduler.py: Signal in platform_map (cron delivery was broken)
- agent/prompt_builder.py: PLATFORM_HINTS for Signal (agent knows it's on Signal)
- toolsets.py: hermes-signal toolset + added to hermes-gateway composite
- hermes_cli/status.py: Signal + Slack in platform status display
- tools/send_message_tool.py: Signal example in target description
- tools/cronjob_tools.py: Signal in delivery option docs + schema
- gateway/channel_directory.py: Signal in session-based channel discovery
Clawdbot parity features added to signal.py:
- Self-message filtering: prevents reply loops by checking sender != account
- SyncMessage filtering: ignores sync envelopes (sent transcripts, read receipts)
- Edit message support: reads dataMessage from editMessage envelope
- Mention rendering: replaces \uFFFC placeholders with @identifier text
- Jitter in SSE reconnection backoff (20% randomization, prevents thundering herd)
Env var simplification (7 → 4):
- Removed SIGNAL_DM_POLICY (DM auth follows standard platform pattern via
SIGNAL_ALLOWED_USERS + DM pairing, same as Telegram/Discord)
- Removed SIGNAL_GROUP_POLICY (derived from SIGNAL_GROUP_ALLOWED_USERS:
not set = disabled, set with IDs = allowlist, set with * = open)
- Removed SIGNAL_DEBUG (was setting root logger, removed entirely)
- Remaining: SIGNAL_HTTP_URL, SIGNAL_ACCOUNT (required),
SIGNAL_ALLOWED_USERS, SIGNAL_GROUP_ALLOWED_USERS (optional)
Updated all docs (website, AGENTS.md, signal.md) to match.
2026-03-08 21:00:21 -07:00
|
|
|
save_env_value("SIGNAL_GROUP_ALLOWED_USERS", groups)
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
print_success("Signal configured!")
|
|
|
|
|
print_info(f" URL: {url}")
|
|
|
|
|
print_info(f" Account: {account}")
|
fix: Signal adapter parity pass — integration gaps, clawdbot features, env var simplification
Integration gaps fixed (7 files missing Signal):
- cron/scheduler.py: Signal in platform_map (cron delivery was broken)
- agent/prompt_builder.py: PLATFORM_HINTS for Signal (agent knows it's on Signal)
- toolsets.py: hermes-signal toolset + added to hermes-gateway composite
- hermes_cli/status.py: Signal + Slack in platform status display
- tools/send_message_tool.py: Signal example in target description
- tools/cronjob_tools.py: Signal in delivery option docs + schema
- gateway/channel_directory.py: Signal in session-based channel discovery
Clawdbot parity features added to signal.py:
- Self-message filtering: prevents reply loops by checking sender != account
- SyncMessage filtering: ignores sync envelopes (sent transcripts, read receipts)
- Edit message support: reads dataMessage from editMessage envelope
- Mention rendering: replaces \uFFFC placeholders with @identifier text
- Jitter in SSE reconnection backoff (20% randomization, prevents thundering herd)
Env var simplification (7 → 4):
- Removed SIGNAL_DM_POLICY (DM auth follows standard platform pattern via
SIGNAL_ALLOWED_USERS + DM pairing, same as Telegram/Discord)
- Removed SIGNAL_GROUP_POLICY (derived from SIGNAL_GROUP_ALLOWED_USERS:
not set = disabled, set with IDs = allowlist, set with * = open)
- Removed SIGNAL_DEBUG (was setting root logger, removed entirely)
- Remaining: SIGNAL_HTTP_URL, SIGNAL_ACCOUNT (required),
SIGNAL_ALLOWED_USERS, SIGNAL_GROUP_ALLOWED_USERS (optional)
Updated all docs (website, AGENTS.md, signal.md) to match.
2026-03-08 21:00:21 -07:00
|
|
|
print_info(f" DM auth: via SIGNAL_ALLOWED_USERS + DM pairing")
|
|
|
|
|
print_info(f" Groups: {'enabled' if get_env_value('SIGNAL_GROUP_ALLOWED_USERS') else 'disabled'}")
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
|
|
|
|
|
|
2026-03-03 18:57:33 -08:00
|
|
|
def gateway_setup():
|
|
|
|
|
"""Interactive setup for messaging platforms + gateway service."""
|
|
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
print(color("┌─────────────────────────────────────────────────────────┐", Colors.MAGENTA))
|
|
|
|
|
print(color("│ ⚕ Gateway Setup │", Colors.MAGENTA))
|
|
|
|
|
print(color("├─────────────────────────────────────────────────────────┤", Colors.MAGENTA))
|
|
|
|
|
print(color("│ Configure messaging platforms and the gateway service. │", Colors.MAGENTA))
|
|
|
|
|
print(color("│ Press Ctrl+C at any time to exit. │", Colors.MAGENTA))
|
|
|
|
|
print(color("└─────────────────────────────────────────────────────────┘", Colors.MAGENTA))
|
|
|
|
|
|
|
|
|
|
# ── Gateway service status ──
|
|
|
|
|
print()
|
|
|
|
|
service_installed = _is_service_installed()
|
|
|
|
|
service_running = _is_service_running()
|
|
|
|
|
|
|
|
|
|
if service_installed and service_running:
|
|
|
|
|
print_success("Gateway service is installed and running.")
|
|
|
|
|
elif service_installed:
|
|
|
|
|
print_warning("Gateway service is installed but not running.")
|
|
|
|
|
if prompt_yes_no(" Start it now?", True):
|
|
|
|
|
try:
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_start()
|
|
|
|
|
elif is_macos():
|
|
|
|
|
launchd_start()
|
|
|
|
|
except subprocess.CalledProcessError as e:
|
|
|
|
|
print_error(f" Failed to start: {e}")
|
|
|
|
|
else:
|
2026-03-03 19:30:05 -08:00
|
|
|
print_info("Gateway service is not installed yet.")
|
|
|
|
|
print_info("You'll be offered to install it after configuring platforms.")
|
2026-03-03 18:57:33 -08:00
|
|
|
|
|
|
|
|
# ── Platform configuration loop ──
|
|
|
|
|
while True:
|
|
|
|
|
print()
|
|
|
|
|
print_header("Messaging Platforms")
|
|
|
|
|
|
|
|
|
|
menu_items = []
|
|
|
|
|
for plat in _PLATFORMS:
|
|
|
|
|
status = _platform_status(plat)
|
2026-03-03 19:04:32 -08:00
|
|
|
menu_items.append(f"{plat['label']} ({status})")
|
|
|
|
|
menu_items.append("Done")
|
2026-03-03 18:57:33 -08:00
|
|
|
|
|
|
|
|
choice = prompt_choice("Select a platform to configure:", menu_items, len(menu_items) - 1)
|
|
|
|
|
|
|
|
|
|
if choice == len(_PLATFORMS):
|
|
|
|
|
break
|
|
|
|
|
|
|
|
|
|
platform = _PLATFORMS[choice]
|
|
|
|
|
|
|
|
|
|
if platform["key"] == "whatsapp":
|
|
|
|
|
_setup_whatsapp()
|
feat: add Signal messenger gateway platform (#405)
Complete Signal adapter using signal-cli daemon HTTP API.
Based on PR #268 by ibhagwan, rebuilt on current main with bug fixes.
Architecture:
- SSE streaming for inbound messages with exponential backoff (2s→60s)
- JSON-RPC 2.0 for outbound (send, typing, attachments, contacts)
- Health monitor detects stale SSE connections (120s threshold)
- Phone number redaction in all logs and global redact.py
Features:
- DM and group message support with separate access policies
- DM policies: pairing (default), allowlist, open
- Group policies: disabled (default), allowlist, open
- Attachment download with magic-byte type detection
- Typing indicators (8s refresh interval)
- 100MB attachment size limit, 8000 char message limit
- E.164 phone + UUID allowlist support
Integration:
- Platform.SIGNAL enum in gateway/config.py
- Signal in _is_user_authorized() allowlist maps (gateway/run.py)
- Adapter factory in _create_adapter() (gateway/run.py)
- user_id_alt/chat_id_alt fields in SessionSource for UUIDs
- send_message tool support via httpx JSON-RPC (not aiohttp)
- Interactive setup wizard in 'hermes gateway setup'
- Connectivity testing during setup (pings /api/v1/check)
- signal-cli detection and install guidance
Bug fixes from PR #268:
- Timestamp reads from envelope_data (not outer wrapper)
- Uses httpx consistently (not aiohttp in send_message tool)
- SIGNAL_DEBUG scoped to signal logger (not root)
- extract_images regex NOT modified (preserves group numbering)
- pairing.py NOT modified (no cross-platform side effects)
- No dual authorization (adapter defers to run.py for user auth)
- Wildcard uses set membership ('*' in set, not list equality)
- .zip default for PK magic bytes (not .docx)
No new Python dependencies — uses httpx (already core).
External requirement: signal-cli daemon (user-installed).
Tests: 30 new tests covering config, init, helpers, session source,
phone redaction, authorization, and send_message integration.
Co-authored-by: ibhagwan <ibhagwan@users.noreply.github.com>
2026-03-08 20:20:35 -07:00
|
|
|
elif platform["key"] == "signal":
|
|
|
|
|
_setup_signal()
|
2026-03-03 18:57:33 -08:00
|
|
|
else:
|
|
|
|
|
_setup_standard_platform(platform)
|
|
|
|
|
|
|
|
|
|
# ── Post-setup: offer to install/restart gateway ──
|
|
|
|
|
any_configured = any(
|
|
|
|
|
bool(get_env_value(p["token_var"]))
|
|
|
|
|
for p in _PLATFORMS
|
|
|
|
|
if p["key"] != "whatsapp"
|
|
|
|
|
) or (get_env_value("WHATSAPP_ENABLED") or "").lower() == "true"
|
|
|
|
|
|
|
|
|
|
if any_configured:
|
|
|
|
|
print()
|
|
|
|
|
print(color("─" * 58, Colors.DIM))
|
|
|
|
|
service_installed = _is_service_installed()
|
|
|
|
|
service_running = _is_service_running()
|
|
|
|
|
|
|
|
|
|
if service_running:
|
|
|
|
|
if prompt_yes_no(" Restart the gateway to pick up changes?", True):
|
|
|
|
|
try:
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_restart()
|
|
|
|
|
elif is_macos():
|
|
|
|
|
launchd_restart()
|
|
|
|
|
else:
|
|
|
|
|
kill_gateway_processes()
|
|
|
|
|
print_info("Start manually: hermes gateway")
|
|
|
|
|
except subprocess.CalledProcessError as e:
|
|
|
|
|
print_error(f" Restart failed: {e}")
|
|
|
|
|
elif service_installed:
|
|
|
|
|
if prompt_yes_no(" Start the gateway service?", True):
|
|
|
|
|
try:
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_start()
|
|
|
|
|
elif is_macos():
|
|
|
|
|
launchd_start()
|
|
|
|
|
except subprocess.CalledProcessError as e:
|
|
|
|
|
print_error(f" Start failed: {e}")
|
|
|
|
|
else:
|
|
|
|
|
print()
|
2026-03-03 19:30:05 -08:00
|
|
|
if is_linux() or is_macos():
|
|
|
|
|
platform_name = "systemd" if is_linux() else "launchd"
|
|
|
|
|
if prompt_yes_no(f" Install the gateway as a {platform_name} service? (runs in background, starts on boot)", True):
|
|
|
|
|
try:
|
|
|
|
|
force = False
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_install(force)
|
|
|
|
|
else:
|
|
|
|
|
launchd_install(force)
|
|
|
|
|
print()
|
|
|
|
|
if prompt_yes_no(" Start the service now?", True):
|
|
|
|
|
try:
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_start()
|
|
|
|
|
else:
|
|
|
|
|
launchd_start()
|
|
|
|
|
except subprocess.CalledProcessError as e:
|
|
|
|
|
print_error(f" Start failed: {e}")
|
|
|
|
|
except subprocess.CalledProcessError as e:
|
|
|
|
|
print_error(f" Install failed: {e}")
|
|
|
|
|
print_info(" You can try manually: hermes gateway install")
|
|
|
|
|
else:
|
|
|
|
|
print_info(" You can install later: hermes gateway install")
|
|
|
|
|
print_info(" Or run in foreground: hermes gateway")
|
|
|
|
|
else:
|
|
|
|
|
print_info(" Service install not supported on this platform.")
|
|
|
|
|
print_info(" Run in foreground: hermes gateway")
|
2026-03-03 18:57:33 -08:00
|
|
|
else:
|
|
|
|
|
print()
|
|
|
|
|
print_info("No platforms configured. Run 'hermes gateway setup' when ready.")
|
|
|
|
|
|
|
|
|
|
print()
|
|
|
|
|
|
|
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
# =============================================================================
|
|
|
|
|
# Main Command Handler
|
|
|
|
|
# =============================================================================
|
|
|
|
|
|
|
|
|
|
def gateway_command(args):
|
|
|
|
|
"""Handle gateway subcommands."""
|
|
|
|
|
subcmd = getattr(args, 'gateway_command', None)
|
|
|
|
|
|
|
|
|
|
# Default to run if no subcommand
|
|
|
|
|
if subcmd is None or subcmd == "run":
|
|
|
|
|
verbose = getattr(args, 'verbose', False)
|
2026-03-07 18:08:12 +00:00
|
|
|
replace = getattr(args, 'replace', False)
|
|
|
|
|
run_gateway(verbose, replace=replace)
|
2026-02-02 19:01:51 -08:00
|
|
|
return
|
2026-03-03 18:57:33 -08:00
|
|
|
|
|
|
|
|
if subcmd == "setup":
|
|
|
|
|
gateway_setup()
|
|
|
|
|
return
|
|
|
|
|
|
2026-02-02 19:01:51 -08:00
|
|
|
# Service management commands
|
|
|
|
|
if subcmd == "install":
|
|
|
|
|
force = getattr(args, 'force', False)
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_install(force)
|
|
|
|
|
elif is_macos():
|
|
|
|
|
launchd_install(force)
|
|
|
|
|
else:
|
|
|
|
|
print("Service installation not supported on this platform.")
|
|
|
|
|
print("Run manually: hermes gateway run")
|
|
|
|
|
sys.exit(1)
|
|
|
|
|
|
|
|
|
|
elif subcmd == "uninstall":
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_uninstall()
|
|
|
|
|
elif is_macos():
|
|
|
|
|
launchd_uninstall()
|
|
|
|
|
else:
|
|
|
|
|
print("Not supported on this platform.")
|
|
|
|
|
sys.exit(1)
|
|
|
|
|
|
|
|
|
|
elif subcmd == "start":
|
|
|
|
|
if is_linux():
|
|
|
|
|
systemd_start()
|
|
|
|
|
elif is_macos():
|
|
|
|
|
launchd_start()
|
|
|
|
|
else:
|
|
|
|
|
print("Not supported on this platform.")
|
|
|
|
|
sys.exit(1)
|
|
|
|
|
|
|
|
|
|
elif subcmd == "stop":
|
2026-02-03 10:46:23 -08:00
|
|
|
# Try service first, fall back to killing processes directly
|
|
|
|
|
service_available = False
|
|
|
|
|
|
|
|
|
|
if is_linux() and get_systemd_unit_path().exists():
|
|
|
|
|
try:
|
|
|
|
|
systemd_stop()
|
|
|
|
|
service_available = True
|
|
|
|
|
except subprocess.CalledProcessError:
|
|
|
|
|
pass # Fall through to process kill
|
|
|
|
|
elif is_macos() and get_launchd_plist_path().exists():
|
|
|
|
|
try:
|
|
|
|
|
launchd_stop()
|
|
|
|
|
service_available = True
|
|
|
|
|
except subprocess.CalledProcessError:
|
|
|
|
|
pass
|
|
|
|
|
|
|
|
|
|
if not service_available:
|
|
|
|
|
# Kill gateway processes directly
|
|
|
|
|
killed = kill_gateway_processes()
|
|
|
|
|
if killed:
|
|
|
|
|
print(f"✓ Stopped {killed} gateway process(es)")
|
|
|
|
|
else:
|
|
|
|
|
print("✗ No gateway processes found")
|
2026-02-02 19:01:51 -08:00
|
|
|
|
|
|
|
|
elif subcmd == "restart":
|
2026-02-03 10:46:23 -08:00
|
|
|
# Try service first, fall back to killing and restarting
|
|
|
|
|
service_available = False
|
|
|
|
|
|
|
|
|
|
if is_linux() and get_systemd_unit_path().exists():
|
|
|
|
|
try:
|
|
|
|
|
systemd_restart()
|
|
|
|
|
service_available = True
|
|
|
|
|
except subprocess.CalledProcessError:
|
|
|
|
|
pass
|
|
|
|
|
elif is_macos() and get_launchd_plist_path().exists():
|
|
|
|
|
try:
|
|
|
|
|
launchd_restart()
|
|
|
|
|
service_available = True
|
|
|
|
|
except subprocess.CalledProcessError:
|
|
|
|
|
pass
|
|
|
|
|
|
|
|
|
|
if not service_available:
|
|
|
|
|
# Manual restart: kill existing processes
|
|
|
|
|
killed = kill_gateway_processes()
|
|
|
|
|
if killed:
|
|
|
|
|
print(f"✓ Stopped {killed} gateway process(es)")
|
|
|
|
|
|
|
|
|
|
import time
|
|
|
|
|
time.sleep(2)
|
|
|
|
|
|
|
|
|
|
# Start fresh
|
|
|
|
|
print("Starting gateway...")
|
|
|
|
|
run_gateway(verbose=False)
|
2026-02-02 19:01:51 -08:00
|
|
|
|
|
|
|
|
elif subcmd == "status":
|
|
|
|
|
deep = getattr(args, 'deep', False)
|
2026-02-03 10:46:23 -08:00
|
|
|
|
|
|
|
|
# Check for service first
|
|
|
|
|
if is_linux() and get_systemd_unit_path().exists():
|
2026-02-02 19:01:51 -08:00
|
|
|
systemd_status(deep)
|
2026-02-03 10:46:23 -08:00
|
|
|
elif is_macos() and get_launchd_plist_path().exists():
|
2026-02-02 19:01:51 -08:00
|
|
|
launchd_status(deep)
|
|
|
|
|
else:
|
2026-02-03 10:46:23 -08:00
|
|
|
# Check for manually running processes
|
|
|
|
|
pids = find_gateway_pids()
|
|
|
|
|
if pids:
|
|
|
|
|
print(f"✓ Gateway is running (PID: {', '.join(map(str, pids))})")
|
|
|
|
|
print(" (Running manually, not as a system service)")
|
|
|
|
|
print()
|
|
|
|
|
print("To install as a service:")
|
|
|
|
|
print(" hermes gateway install")
|
|
|
|
|
else:
|
|
|
|
|
print("✗ Gateway is not running")
|
|
|
|
|
print()
|
|
|
|
|
print("To start:")
|
|
|
|
|
print(" hermes gateway # Run in foreground")
|
|
|
|
|
print(" hermes gateway install # Install as service")
|