Files
deer-flow/backend/tests/test_provisioner_kubeconfig.py
DanielWalnut faa422072c feat(subagents): make subagent timeout configurable via config.yaml (#897)
* feat(subagents): make subagent timeout configurable via config.yaml

- Add SubagentsAppConfig supporting global and per-agent timeout_seconds
- Load subagents config section in AppConfig.from_file()
- Registry now applies config.yaml overrides without mutating builtin defaults
- Polling safety-net in task_tool is now dynamic (execution timeout + 60s buffer)
- Document subagents section in config.example.yaml
- Add make test command and enforce TDD policy in CLAUDE.md
- Add 38 unit tests covering config validation, timeout resolution, registry
  override behavior, and polling timeout formula

Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>

* feat(subagents): add logging for subagent timeout config and execution

- Log loaded timeout config (global default + per-agent overrides) on startup
- Log debug message in registry when config.yaml overrides a builtin timeout
- Include timeout in executor's async execution start log
- Log effective timeout and polling limit when a task is dispatched
- Fix UnboundLocalError: move max_poll_count assignment before logger.info

Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>

* ci(backend): add lint step and run all unit tests via Makefile

Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>

* fix lint

---------

Co-authored-by: Claude Sonnet 4.6 <noreply@anthropic.com>
2026-02-25 08:39:29 +08:00

120 lines
3.8 KiB
Python

"""Regression tests for provisioner kubeconfig path handling."""
from __future__ import annotations
import importlib.util
from pathlib import Path
def _load_provisioner_module():
"""Load docker/provisioner/app.py as an importable test module."""
repo_root = Path(__file__).resolve().parents[2]
module_path = repo_root / "docker" / "provisioner" / "app.py"
spec = importlib.util.spec_from_file_location("provisioner_app_test", module_path)
assert spec is not None
assert spec.loader is not None
module = importlib.util.module_from_spec(spec)
spec.loader.exec_module(module)
return module
def test_wait_for_kubeconfig_rejects_directory(tmp_path):
"""Directory mount at kubeconfig path should fail fast with clear error."""
provisioner_module = _load_provisioner_module()
kubeconfig_dir = tmp_path / "config_dir"
kubeconfig_dir.mkdir()
provisioner_module.KUBECONFIG_PATH = str(kubeconfig_dir)
try:
provisioner_module._wait_for_kubeconfig(timeout=1)
raise AssertionError("Expected RuntimeError for directory kubeconfig path")
except RuntimeError as exc:
assert "directory" in str(exc)
def test_wait_for_kubeconfig_accepts_file(tmp_path):
"""Regular file mount should pass readiness wait."""
provisioner_module = _load_provisioner_module()
kubeconfig_file = tmp_path / "config"
kubeconfig_file.write_text("apiVersion: v1\n")
provisioner_module.KUBECONFIG_PATH = str(kubeconfig_file)
# Should return immediately without raising.
provisioner_module._wait_for_kubeconfig(timeout=1)
def test_init_k8s_client_rejects_directory_path(tmp_path):
"""KUBECONFIG_PATH that resolves to a directory should be rejected."""
provisioner_module = _load_provisioner_module()
kubeconfig_dir = tmp_path / "config_dir"
kubeconfig_dir.mkdir()
provisioner_module.KUBECONFIG_PATH = str(kubeconfig_dir)
try:
provisioner_module._init_k8s_client()
raise AssertionError("Expected RuntimeError for directory kubeconfig path")
except RuntimeError as exc:
assert "expected a file" in str(exc)
def test_init_k8s_client_uses_file_kubeconfig(tmp_path, monkeypatch):
"""When file exists, provisioner should load kubeconfig file path."""
provisioner_module = _load_provisioner_module()
kubeconfig_file = tmp_path / "config"
kubeconfig_file.write_text("apiVersion: v1\n")
called: dict[str, object] = {}
def fake_load_kube_config(config_file: str):
called["config_file"] = config_file
monkeypatch.setattr(
provisioner_module.k8s_config,
"load_kube_config",
fake_load_kube_config,
)
monkeypatch.setattr(
provisioner_module.k8s_client,
"CoreV1Api",
lambda *args, **kwargs: "core-v1",
)
provisioner_module.KUBECONFIG_PATH = str(kubeconfig_file)
result = provisioner_module._init_k8s_client()
assert called["config_file"] == str(kubeconfig_file)
assert result == "core-v1"
def test_init_k8s_client_falls_back_to_incluster_when_missing(tmp_path, monkeypatch):
"""When kubeconfig file is missing, in-cluster config should be attempted."""
provisioner_module = _load_provisioner_module()
missing_path = tmp_path / "missing-config"
calls: dict[str, int] = {"incluster": 0}
def fake_load_incluster_config():
calls["incluster"] += 1
monkeypatch.setattr(
provisioner_module.k8s_config,
"load_incluster_config",
fake_load_incluster_config,
)
monkeypatch.setattr(
provisioner_module.k8s_client,
"CoreV1Api",
lambda *args, **kwargs: "core-v1",
)
provisioner_module.KUBECONFIG_PATH = str(missing_path)
result = provisioner_module._init_k8s_client()
assert calls["incluster"] == 1
assert result == "core-v1"