forked from github/copilot-sdk
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathcontext.py
More file actions
143 lines (114 loc) · 4.5 KB
/
context.py
File metadata and controls
143 lines (114 loc) · 4.5 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
"""
Test context for E2E tests.
Provides isolated directories and a replaying proxy for testing the SDK.
"""
import os
import re
import shutil
import tempfile
from pathlib import Path
from typing import Optional
from copilot import CopilotClient
from .proxy import CapiProxy
def get_cli_path() -> str:
"""Get CLI path from environment or try to find it. Raises if not found."""
# Check environment variable first
cli_path = os.environ.get("COPILOT_CLI_PATH")
if cli_path and os.path.exists(cli_path):
return cli_path
# Look for CLI in sibling nodejs directory's node_modules
base_path = Path(__file__).parent.parent.parent.parent
full_path = base_path / "nodejs" / "node_modules" / "@github" / "copilot" / "index.js"
if full_path.exists():
return str(full_path.resolve())
raise RuntimeError(
"CLI not found. Set COPILOT_CLI_PATH or run 'npm install' in the nodejs directory."
)
CLI_PATH = get_cli_path()
SNAPSHOTS_DIR = Path(__file__).parent.parent.parent.parent / "test" / "snapshots"
class E2ETestContext:
"""Holds shared resources for E2E tests."""
def __init__(self):
self.cli_path: str = ""
self.home_dir: str = ""
self.work_dir: str = ""
self.proxy_url: str = ""
self._proxy: Optional[CapiProxy] = None
self._client: Optional[CopilotClient] = None
async def setup(self):
"""Set up the test context with a shared client."""
cli_path = get_cli_path()
if not cli_path or not os.path.exists(cli_path):
raise RuntimeError(
f"CLI not found at {cli_path}. Run 'npm install' in the nodejs directory first."
)
self.cli_path = cli_path
self.home_dir = tempfile.mkdtemp(prefix="copilot-test-config-")
self.work_dir = tempfile.mkdtemp(prefix="copilot-test-work-")
self._proxy = CapiProxy()
self.proxy_url = await self._proxy.start()
# Create the shared client (like Node.js/Go do)
self._client = CopilotClient(
{
"cli_path": self.cli_path,
"cwd": self.work_dir,
"env": self.get_env(),
}
)
async def teardown(self):
"""Clean up the test context."""
if self._client:
await self._client.stop()
self._client = None
if self._proxy:
await self._proxy.stop()
self._proxy = None
if self.home_dir and os.path.exists(self.home_dir):
shutil.rmtree(self.home_dir, ignore_errors=True)
if self.work_dir and os.path.exists(self.work_dir):
shutil.rmtree(self.work_dir, ignore_errors=True)
async def configure_for_test(self, test_file: str, test_name: str):
"""
Configure the proxy for a specific test.
Args:
test_file: The test file name (e.g., "session" from "test_session.py")
test_name: The test name (e.g., "should_have_stateful_conversation")
"""
sanitized_name = re.sub(r"[^a-zA-Z0-9]", "_", test_name).lower()
snapshot_path = SNAPSHOTS_DIR / test_file / f"{sanitized_name}.yaml"
abs_snapshot_path = str(snapshot_path.resolve())
if self._proxy:
await self._proxy.configure(abs_snapshot_path, self.work_dir)
# Clear temp directories between tests (but leave them in place)
for item in Path(self.home_dir).iterdir():
if item.is_dir():
shutil.rmtree(item)
else:
item.unlink()
for item in Path(self.work_dir).iterdir():
if item.is_dir():
shutil.rmtree(item)
else:
item.unlink()
def get_env(self) -> dict:
"""Return environment variables configured for isolated testing."""
env = os.environ.copy()
env.update(
{
"COPILOT_API_URL": self.proxy_url,
"XDG_CONFIG_HOME": self.home_dir,
"XDG_STATE_HOME": self.home_dir,
}
)
return env
@property
def client(self) -> CopilotClient:
"""Return the shared CopilotClient instance."""
if not self._client:
raise RuntimeError("Context not set up. Call setup() first.")
return self._client
async def get_exchanges(self):
"""Retrieve the captured HTTP exchanges from the proxy."""
if not self._proxy:
raise RuntimeError("Proxy not started")
return await self._proxy.get_exchanges()