mirror of
https://github.com/Comfy-Org/ComfyUI-Manager.git
synced 2026-03-23 15:37:40 +08:00
* fix(git_helper): surface git stderr and use portable exit code - Redirect exception output to stderr for diagnostic visibility - Surface GitCommandError.stderr when available - Use sys.exit(1) instead of sys.exit(-1) for portable exit codes - Remove debug print statements * fix(e2e): cross-platform E2E tests with file-based stdout capture - Cross-platform cm-cli path (Scripts/cm-cli.exe vs bin/cm-cli) - File-based stdout/stderr capture to avoid Windows pipe buffer loss - Rename uv-compile → uv-sync for standalone command refs - Update conflict test packs: ansible → python-slugify/text-unidecode - Add .trash_* cleanup and retry+rename for Windows file locks - Add test_e2e_git_clone.py for nightly install via ComfyUI server - Add setup_e2e_env.py cross-platform setup script * feat(ci): add multiplatform E2E workflow (ubuntu/windows/macos) Matrix: ubuntu-latest, windows-latest, macos-latest × Python 3.10 Triggers on push to main/feat/*/fix/* and PRs to main. * bump version to 4.1b7
274 lines
9.2 KiB
Python
274 lines
9.2 KiB
Python
"""E2E tests for git-clone-based node installation via ComfyUI Manager API.
|
|
|
|
Starts a real ComfyUI instance and installs custom nodes by URL (nightly mode),
|
|
which triggers git_helper.py as a subprocess. This is the code path that crashed
|
|
on Windows with ModuleNotFoundError (Phase 1) and exit 128 (Phase 2).
|
|
|
|
Requires a pre-built E2E environment (from setup_e2e_env.py).
|
|
Set E2E_ROOT env var to point at it, or the tests will be skipped.
|
|
|
|
Supply-chain safety policy:
|
|
Only install from verified, controllable authors (ltdrdata).
|
|
|
|
Usage:
|
|
E2E_ROOT=/tmp/e2e_full_test pytest tests/e2e/test_e2e_git_clone.py -v
|
|
"""
|
|
|
|
from __future__ import annotations
|
|
|
|
import os
|
|
import shutil
|
|
import subprocess
|
|
import sys
|
|
import time
|
|
|
|
import pytest
|
|
import requests
|
|
|
|
E2E_ROOT = os.environ.get("E2E_ROOT", "")
|
|
COMFYUI_PATH = os.path.join(E2E_ROOT, "comfyui") if E2E_ROOT else ""
|
|
CUSTOM_NODES = os.path.join(COMFYUI_PATH, "custom_nodes") if COMFYUI_PATH else ""
|
|
|
|
PORT = 8198 # Different port from endpoint tests to avoid conflicts
|
|
BASE_URL = f"http://127.0.0.1:{PORT}"
|
|
|
|
REPO_TEST1 = "https://github.com/ltdrdata/nodepack-test1-do-not-install"
|
|
PACK_TEST1 = "nodepack-test1-do-not-install"
|
|
|
|
POLL_TIMEOUT = 60
|
|
POLL_INTERVAL = 1.0
|
|
|
|
pytestmark = pytest.mark.skipif(
|
|
not E2E_ROOT or not os.path.isfile(os.path.join(E2E_ROOT, ".e2e_setup_complete")),
|
|
reason="E2E_ROOT not set or E2E environment not ready",
|
|
)
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Helpers
|
|
# ---------------------------------------------------------------------------
|
|
|
|
_comfyui_proc: subprocess.Popen | None = None
|
|
|
|
|
|
def _venv_python() -> str:
|
|
if sys.platform == "win32":
|
|
return os.path.join(E2E_ROOT, "venv", "Scripts", "python.exe")
|
|
return os.path.join(E2E_ROOT, "venv", "bin", "python")
|
|
|
|
|
|
def _cm_cli_path() -> str:
|
|
if sys.platform == "win32":
|
|
return os.path.join(E2E_ROOT, "venv", "Scripts", "cm-cli.exe")
|
|
return os.path.join(E2E_ROOT, "venv", "bin", "cm-cli")
|
|
|
|
|
|
def _ensure_cache():
|
|
"""Run cm-cli update-cache (blocking) to populate Manager cache before tests."""
|
|
env = {**os.environ, "COMFYUI_PATH": COMFYUI_PATH}
|
|
r = subprocess.run(
|
|
[_cm_cli_path(), "update-cache"],
|
|
capture_output=True, text=True, timeout=120, env=env,
|
|
)
|
|
if r.returncode != 0:
|
|
raise RuntimeError(f"update-cache failed:\n{r.stderr}")
|
|
|
|
|
|
def _start_comfyui() -> int:
|
|
"""Start ComfyUI via Popen (cross-platform, no bash dependency)."""
|
|
global _comfyui_proc # noqa: PLW0603
|
|
log_dir = os.path.join(E2E_ROOT, "logs")
|
|
os.makedirs(log_dir, exist_ok=True)
|
|
log_file = open(os.path.join(log_dir, "comfyui.log"), "w") # noqa: SIM115
|
|
|
|
env = {
|
|
**os.environ,
|
|
"COMFYUI_PATH": COMFYUI_PATH,
|
|
"PYTHONUNBUFFERED": "1",
|
|
}
|
|
_comfyui_proc = subprocess.Popen(
|
|
[_venv_python(), "-u", os.path.join(COMFYUI_PATH, "main.py"),
|
|
"--listen", "127.0.0.1", "--port", str(PORT),
|
|
"--cpu", "--enable-manager"],
|
|
stdout=log_file, stderr=subprocess.STDOUT,
|
|
env=env,
|
|
)
|
|
# Wait for server to be ready.
|
|
# Manager may restart ComfyUI after startup dependency install (exit 0 → re-launch).
|
|
# If the process exits with code 0, keep polling — the restarted process will bind the port.
|
|
deadline = time.monotonic() + 120
|
|
while time.monotonic() < deadline:
|
|
try:
|
|
r = requests.get(f"{BASE_URL}/system_stats", timeout=2)
|
|
if r.status_code == 200:
|
|
return _comfyui_proc.pid
|
|
except requests.ConnectionError:
|
|
pass
|
|
if _comfyui_proc.poll() is not None:
|
|
if _comfyui_proc.returncode != 0:
|
|
log_file.close()
|
|
log_content = open(os.path.join(log_dir, "comfyui.log")).read()[-2000:] # noqa: SIM115
|
|
raise RuntimeError(
|
|
f"ComfyUI exited with code {_comfyui_proc.returncode}:\n{log_content}"
|
|
)
|
|
# exit 0 = Manager restart. Keep polling for the restarted process.
|
|
time.sleep(1)
|
|
log_file.close()
|
|
log_content = open(os.path.join(log_dir, "comfyui.log")).read()[-2000:] # noqa: SIM115
|
|
raise RuntimeError(f"ComfyUI did not start within 120s. Log:\n{log_content}")
|
|
|
|
|
|
def _stop_comfyui():
|
|
"""Stop ComfyUI process."""
|
|
global _comfyui_proc # noqa: PLW0603
|
|
if _comfyui_proc is None:
|
|
return
|
|
_comfyui_proc.terminate()
|
|
try:
|
|
_comfyui_proc.wait(timeout=10)
|
|
except subprocess.TimeoutExpired:
|
|
_comfyui_proc.kill()
|
|
_comfyui_proc = None
|
|
|
|
|
|
def _queue_task(task: dict) -> None:
|
|
"""Queue a Manager task and start the worker."""
|
|
resp = requests.post(f"{BASE_URL}/v2/manager/queue/task", json=task, timeout=10)
|
|
resp.raise_for_status()
|
|
requests.get(f"{BASE_URL}/v2/manager/queue/start", timeout=10)
|
|
|
|
|
|
def _remove_pack(name: str) -> None:
|
|
"""Remove a node pack from custom_nodes.
|
|
|
|
On Windows, file locks (antivirus, git handles) can prevent immediate
|
|
deletion. Strategy: retry rmtree, then fall back to rename (moves the
|
|
directory out of the resolver's scan path so stale deps don't leak).
|
|
"""
|
|
path = os.path.join(CUSTOM_NODES, name)
|
|
if os.path.islink(path):
|
|
os.unlink(path)
|
|
return
|
|
if not os.path.isdir(path):
|
|
return
|
|
for attempt in range(3):
|
|
try:
|
|
shutil.rmtree(path)
|
|
return
|
|
except OSError:
|
|
if attempt < 2:
|
|
time.sleep(1)
|
|
# Fallback: rename out of custom_nodes so resolver won't scan it
|
|
import uuid
|
|
trash = os.path.join(CUSTOM_NODES, f".trash_{uuid.uuid4().hex[:8]}")
|
|
try:
|
|
os.rename(path, trash)
|
|
shutil.rmtree(trash, ignore_errors=True)
|
|
except OSError:
|
|
shutil.rmtree(path, ignore_errors=True)
|
|
|
|
|
|
def _pack_exists(name: str) -> bool:
|
|
return os.path.isdir(os.path.join(CUSTOM_NODES, name))
|
|
|
|
|
|
def _wait_for(predicate, timeout=POLL_TIMEOUT, interval=POLL_INTERVAL):
|
|
"""Poll predicate until True or timeout."""
|
|
deadline = time.monotonic() + timeout
|
|
while time.monotonic() < deadline:
|
|
if predicate():
|
|
return True
|
|
time.sleep(interval)
|
|
return False
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Fixtures
|
|
# ---------------------------------------------------------------------------
|
|
|
|
@pytest.fixture(scope="module")
|
|
def comfyui():
|
|
"""Populate cache, start ComfyUI, stop after all tests."""
|
|
_remove_pack(PACK_TEST1)
|
|
_ensure_cache()
|
|
pid = _start_comfyui()
|
|
yield pid
|
|
_stop_comfyui()
|
|
_remove_pack(PACK_TEST1)
|
|
|
|
|
|
# ---------------------------------------------------------------------------
|
|
# Tests: nightly (URL) install via Manager API → git_helper.py subprocess
|
|
#
|
|
# Single sequential test to avoid autouse cleanup races. The task queue
|
|
# is async so we poll for completion between steps.
|
|
# ---------------------------------------------------------------------------
|
|
|
|
_INSTALL_PARAMS = {
|
|
"id": PACK_TEST1,
|
|
"selected_version": "nightly",
|
|
"mode": "remote",
|
|
"channel": "default",
|
|
"repository": REPO_TEST1,
|
|
"version": "1.0.0",
|
|
}
|
|
|
|
|
|
class TestNightlyInstallCycle:
|
|
"""Full nightly install/verify/uninstall cycle in one test class.
|
|
|
|
Tests MUST run in order (install → verify → uninstall). pytest preserves
|
|
method definition order within a class.
|
|
"""
|
|
|
|
def test_01_nightly_install(self, comfyui):
|
|
"""Nightly install should git-clone the repo into custom_nodes."""
|
|
_remove_pack(PACK_TEST1)
|
|
assert not _pack_exists(PACK_TEST1), (
|
|
f"Failed to clean {PACK_TEST1} — file locks may be holding the directory"
|
|
)
|
|
|
|
_queue_task({
|
|
"ui_id": "e2e-nightly-install",
|
|
"client_id": "e2e-nightly",
|
|
"kind": "install",
|
|
"params": _INSTALL_PARAMS,
|
|
})
|
|
|
|
assert _wait_for(lambda: _pack_exists(PACK_TEST1)), (
|
|
f"{PACK_TEST1} not cloned within {POLL_TIMEOUT}s"
|
|
)
|
|
|
|
# Verify .git directory exists (git clone, not zip download)
|
|
git_dir = os.path.join(CUSTOM_NODES, PACK_TEST1, ".git")
|
|
assert os.path.isdir(git_dir), "No .git directory — not a git clone"
|
|
|
|
def test_02_no_module_error(self, comfyui):
|
|
"""Server log must not contain ModuleNotFoundError (Phase 1 regression)."""
|
|
log_path = os.path.join(E2E_ROOT, "logs", "comfyui.log")
|
|
if not os.path.isfile(log_path):
|
|
pytest.skip("Log file not found (server may use different log path)")
|
|
|
|
with open(log_path) as f:
|
|
log = f.read()
|
|
assert "ModuleNotFoundError" not in log, (
|
|
"ModuleNotFoundError in server log — git_helper.py import isolation broken"
|
|
)
|
|
|
|
def test_03_nightly_uninstall(self, comfyui):
|
|
"""Uninstall the nightly-installed pack."""
|
|
if not _pack_exists(PACK_TEST1):
|
|
pytest.skip("Pack not installed (previous test may have failed)")
|
|
|
|
_queue_task({
|
|
"ui_id": "e2e-nightly-uninst",
|
|
"client_id": "e2e-nightly",
|
|
"kind": "uninstall",
|
|
"params": {
|
|
"node_name": PACK_TEST1,
|
|
},
|
|
})
|
|
assert _wait_for(lambda: not _pack_exists(PACK_TEST1)), (
|
|
f"{PACK_TEST1} still exists after uninstall ({POLL_TIMEOUT}s timeout)"
|
|
)
|