mirror of
https://github.com/zhayujie/chatgpt-on-wechat.git
synced 2026-04-10 11:50:06 +08:00
182 lines
4.7 KiB
Python
182 lines
4.7 KiB
Python
"""cow start/stop/restart/status/logs - Process management commands."""
|
|
|
|
import os
|
|
import sys
|
|
import signal
|
|
import subprocess
|
|
import time
|
|
from typing import Optional
|
|
|
|
import click
|
|
|
|
from cli.utils import get_project_root
|
|
|
|
|
|
def _get_pid_file():
|
|
return os.path.join(get_project_root(), ".cow.pid")
|
|
|
|
|
|
def _get_log_file():
|
|
return os.path.join(get_project_root(), "nohup.out")
|
|
|
|
|
|
def _read_pid() -> Optional[int]:
|
|
pid_file = _get_pid_file()
|
|
if not os.path.exists(pid_file):
|
|
return None
|
|
try:
|
|
with open(pid_file, "r") as f:
|
|
pid = int(f.read().strip())
|
|
os.kill(pid, 0)
|
|
return pid
|
|
except (ValueError, ProcessLookupError, PermissionError):
|
|
os.remove(pid_file)
|
|
return None
|
|
|
|
|
|
def _write_pid(pid: int):
|
|
with open(_get_pid_file(), "w") as f:
|
|
f.write(str(pid))
|
|
|
|
|
|
def _remove_pid():
|
|
pid_file = _get_pid_file()
|
|
if os.path.exists(pid_file):
|
|
os.remove(pid_file)
|
|
|
|
|
|
@click.command()
|
|
@click.option("--foreground", "-f", is_flag=True, help="Run in foreground (don't daemonize)")
|
|
@click.option("--no-logs", is_flag=True, help="Don't tail logs after starting")
|
|
def start(foreground, no_logs):
|
|
"""Start CowAgent."""
|
|
pid = _read_pid()
|
|
if pid:
|
|
click.echo(f"CowAgent is already running (PID: {pid}).")
|
|
return
|
|
|
|
root = get_project_root()
|
|
app_py = os.path.join(root, "app.py")
|
|
if not os.path.exists(app_py):
|
|
click.echo("Error: app.py not found in project root.", err=True)
|
|
sys.exit(1)
|
|
|
|
python = sys.executable
|
|
|
|
if foreground:
|
|
click.echo("Starting CowAgent in foreground...")
|
|
os.execv(python, [python, app_py])
|
|
else:
|
|
log_file = _get_log_file()
|
|
click.echo("Starting CowAgent...")
|
|
|
|
with open(log_file, "a") as log:
|
|
proc = subprocess.Popen(
|
|
[python, app_py],
|
|
cwd=root,
|
|
stdout=log,
|
|
stderr=log,
|
|
start_new_session=True,
|
|
)
|
|
_write_pid(proc.pid)
|
|
click.echo(click.style(f"✓ CowAgent started (PID: {proc.pid})", fg="green"))
|
|
click.echo(f" Logs: {log_file}")
|
|
|
|
if not no_logs:
|
|
click.echo(" Press Ctrl+C to stop tailing logs.\n")
|
|
_tail_log(log_file)
|
|
|
|
|
|
@click.command()
|
|
def stop():
|
|
"""Stop CowAgent."""
|
|
pid = _read_pid()
|
|
if not pid:
|
|
click.echo("CowAgent is not running.")
|
|
return
|
|
|
|
click.echo(f"Stopping CowAgent (PID: {pid})...")
|
|
try:
|
|
os.kill(pid, signal.SIGTERM)
|
|
for _ in range(30):
|
|
time.sleep(0.1)
|
|
try:
|
|
os.kill(pid, 0)
|
|
except ProcessLookupError:
|
|
break
|
|
else:
|
|
os.kill(pid, signal.SIGKILL)
|
|
except ProcessLookupError:
|
|
pass
|
|
|
|
_remove_pid()
|
|
click.echo(click.style("✓ CowAgent stopped.", fg="green"))
|
|
|
|
|
|
@click.command()
|
|
@click.option("--no-logs", is_flag=True, help="Don't tail logs after restarting")
|
|
@click.pass_context
|
|
def restart(ctx, no_logs):
|
|
"""Restart CowAgent."""
|
|
ctx.invoke(stop)
|
|
time.sleep(1)
|
|
ctx.invoke(start, no_logs=no_logs)
|
|
|
|
|
|
@click.command()
|
|
def status():
|
|
"""Show CowAgent running status."""
|
|
from cli import __version__
|
|
from cli.utils import load_config_json
|
|
|
|
pid = _read_pid()
|
|
if pid:
|
|
click.echo(click.style(f"● CowAgent is running (PID: {pid})", fg="green"))
|
|
else:
|
|
click.echo(click.style("● CowAgent is not running", fg="red"))
|
|
|
|
click.echo(f" 版本: v{__version__}")
|
|
|
|
cfg = load_config_json()
|
|
if cfg:
|
|
channel = cfg.get("channel_type", "unknown")
|
|
if isinstance(channel, list):
|
|
channel = ", ".join(channel)
|
|
click.echo(f" 通道: {channel}")
|
|
click.echo(f" 模型: {cfg.get('model', 'unknown')}")
|
|
mode = "Agent" if cfg.get("agent") else "Chat"
|
|
click.echo(f" 模式: {mode}")
|
|
|
|
|
|
@click.command()
|
|
@click.option("--follow", "-f", is_flag=True, help="Follow log output")
|
|
@click.option("--lines", "-n", default=50, help="Number of lines to show")
|
|
def logs(follow, lines):
|
|
"""View CowAgent logs."""
|
|
log_file = _get_log_file()
|
|
if not os.path.exists(log_file):
|
|
click.echo("No log file found.")
|
|
return
|
|
|
|
if follow:
|
|
_tail_log(log_file, lines)
|
|
else:
|
|
subprocess.run(
|
|
["tail", "-n", str(lines), log_file],
|
|
stdout=sys.stdout,
|
|
stderr=sys.stderr,
|
|
)
|
|
|
|
|
|
def _tail_log(log_file: str, lines: int = 50):
|
|
"""Follow log file output. Blocks until Ctrl+C."""
|
|
try:
|
|
proc = subprocess.Popen(
|
|
["tail", "-f", "-n", str(lines), log_file],
|
|
stdout=sys.stdout,
|
|
stderr=sys.stderr,
|
|
)
|
|
proc.wait()
|
|
except KeyboardInterrupt:
|
|
pass
|