@pmaddire/gcie 0.1.7 → 0.1.9
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/GCIE_USAGE.md +55 -0
- package/cli/commands/adaptation.py +575 -485
- package/package.json +1 -1
package/GCIE_USAGE.md
CHANGED
|
@@ -288,3 +288,58 @@ query -> scope -> profile/budget escalation -> targeted gap-fill -> rg fallback.
|
|
|
288
288
|
1. This file is intentionally generalized and adaptive for any repo.
|
|
289
289
|
2. Keep repo-specific tuning in learned overrides and `.gcie` state, not in global defaults.
|
|
290
290
|
3. If in doubt, choose the higher-accuracy path first, then optimize tokens after lock.
|
|
291
|
+
|
|
292
|
+
## Cross-Repo Adaptation Rules (Required)
|
|
293
|
+
|
|
294
|
+
Use these rules to keep adaptation portable across repositories.
|
|
295
|
+
|
|
296
|
+
1. Adaptation case source must be repo-local:
|
|
297
|
+
- Prefer generated cases from actual files in the target repo.
|
|
298
|
+
- Do not rely on hardcoded expected files from another codebase family.
|
|
299
|
+
- If report `case_source` is not repo-local, treat the run as invalid.
|
|
300
|
+
|
|
301
|
+
2. Accuracy lock is required, but selection must be cost-aware:
|
|
302
|
+
- First gate: `100%` must-have full-hit.
|
|
303
|
+
- If multiple candidates pass `100%`, choose the lowest `tokens_per_expected_hit`.
|
|
304
|
+
- Do not keep `slices` as active default when a `plain` candidate also has `100%` and is cheaper.
|
|
305
|
+
|
|
306
|
+
3. Near-miss rescue before expensive lock-in:
|
|
307
|
+
- If a cheaper candidate is below lock by one file/family (for example `90%`), run a short rescue cycle before accepting an expensive `100%` candidate:
|
|
308
|
+
1) targeted gap-fill for missing must-have file(s)
|
|
309
|
+
2) scope correction (subtree if clustered)
|
|
310
|
+
3) one budget rung increase
|
|
311
|
+
- Re-evaluate after rescue; prefer the cheaper candidate if it reaches `100%`.
|
|
312
|
+
|
|
313
|
+
4. Cost sanity guardrail:
|
|
314
|
+
- If selected active candidate is `>40%` more expensive than the cheapest candidate, mark status `accuracy_locked_but_cost_risky` and continue family-level refinement.
|
|
315
|
+
- Keep accuracy lock, but do not finalize global defaults until cost risk is reduced.
|
|
316
|
+
|
|
317
|
+
5. Family-scoped finalization:
|
|
318
|
+
- Finalize routing per family, not as one global winner.
|
|
319
|
+
- Example: keep `slices` only for families where it is uniquely required for `100%`; use `plain` on families where it is cheaper at equal hit rate.
|
|
320
|
+
|
|
321
|
+
6. Required report checks each run:
|
|
322
|
+
- `case_source`
|
|
323
|
+
- `full_hit_rate_pct`
|
|
324
|
+
- `tokens_per_query`
|
|
325
|
+
- `tokens_per_expected_hit`
|
|
326
|
+
- token delta between selected candidate and cheapest candidate
|
|
327
|
+
|
|
328
|
+
## Portable Validation Checklist (Any New Repo)
|
|
329
|
+
|
|
330
|
+
After running adaptation:
|
|
331
|
+
1. Confirm `status: ok`.
|
|
332
|
+
2. Confirm `case_source: generated_repo_local`.
|
|
333
|
+
3. Confirm `full_hit_rate_pct: 100` for selected final profile.
|
|
334
|
+
4. Compare selected profile vs cheapest candidate:
|
|
335
|
+
- if selected is much more expensive, run one rescue iteration.
|
|
336
|
+
5. Run a 50-query unique validation before trusting defaults broadly.
|
|
337
|
+
|
|
338
|
+
Commands:
|
|
339
|
+
```powershell
|
|
340
|
+
gcie.cmd adapt . --benchmark-size 10 --efficiency-iterations 5 --clear-profile
|
|
341
|
+
```
|
|
342
|
+
```powershell
|
|
343
|
+
gcie.cmd adapt . --benchmark-size 10 --efficiency-iterations 5
|
|
344
|
+
```
|
|
345
|
+
|
|
@@ -1,486 +1,576 @@
|
|
|
1
|
-
"""Post-initialization adaptation pipeline (accuracy first, then efficiency)."""
|
|
2
|
-
|
|
3
|
-
from __future__ import annotations
|
|
4
|
-
|
|
5
|
-
from dataclasses import asdict, dataclass
|
|
6
|
-
from datetime import datetime, timezone
|
|
7
|
-
import json
|
|
8
|
-
import re
|
|
9
|
-
from pathlib import Path
|
|
10
|
-
|
|
11
|
-
from .context import run_context
|
|
12
|
-
from .context_slices import _classify_query_family, run_context_slices
|
|
13
|
-
from .index import run_index
|
|
14
|
-
|
|
15
|
-
try:
|
|
16
|
-
from performance.context_benchmark import BENCHMARK_CASES
|
|
17
|
-
except Exception: # pragma: no cover
|
|
18
|
-
BENCHMARK_CASES = ()
|
|
19
|
-
|
|
20
|
-
|
|
21
|
-
@dataclass(frozen=True, slots=True)
|
|
22
|
-
class CaseResult:
|
|
23
|
-
name: str
|
|
24
|
-
family: str
|
|
25
|
-
mode: str
|
|
26
|
-
tokens: int
|
|
27
|
-
expected_hits: int
|
|
28
|
-
expected_total: int
|
|
29
|
-
missing_expected: tuple[str, ...]
|
|
30
|
-
context_complete: bool
|
|
31
|
-
|
|
32
|
-
|
|
33
|
-
@dataclass(frozen=True, slots=True)
|
|
34
|
-
class AdaptCase:
|
|
35
|
-
name: str
|
|
36
|
-
query: str
|
|
37
|
-
intent: str
|
|
38
|
-
baseline_files: tuple[str, ...]
|
|
39
|
-
expected_files: tuple[str, ...]
|
|
40
|
-
|
|
41
|
-
|
|
42
|
-
_WORD_RE = re.compile(r"[A-Za-z0-9_./-]+")
|
|
43
|
-
_SOURCE_EXTS = {".py", ".js", ".jsx", ".ts", ".tsx", ".java", ".go", ".rs", ".cs", ".cpp", ".c", ".h"}
|
|
44
|
-
_IGNORED_DIRS = {
|
|
45
|
-
".git",
|
|
46
|
-
".gcie",
|
|
47
|
-
".planning",
|
|
48
|
-
".venv",
|
|
49
|
-
"node_modules",
|
|
50
|
-
"__pycache__",
|
|
51
|
-
"dist",
|
|
52
|
-
"build",
|
|
53
|
-
"coverage",
|
|
54
|
-
}
|
|
55
|
-
|
|
56
|
-
|
|
57
|
-
|
|
58
|
-
|
|
59
|
-
for
|
|
60
|
-
|
|
61
|
-
|
|
62
|
-
|
|
63
|
-
|
|
64
|
-
|
|
65
|
-
|
|
66
|
-
|
|
67
|
-
if node_id.startswith("
|
|
68
|
-
return node_id[
|
|
69
|
-
|
|
70
|
-
|
|
71
|
-
|
|
72
|
-
|
|
73
|
-
|
|
74
|
-
|
|
75
|
-
|
|
76
|
-
|
|
77
|
-
normalized
|
|
78
|
-
|
|
79
|
-
|
|
80
|
-
|
|
81
|
-
|
|
82
|
-
|
|
83
|
-
|
|
84
|
-
|
|
85
|
-
|
|
86
|
-
|
|
87
|
-
|
|
88
|
-
|
|
89
|
-
|
|
90
|
-
if
|
|
91
|
-
return
|
|
92
|
-
|
|
93
|
-
|
|
94
|
-
|
|
95
|
-
|
|
96
|
-
|
|
97
|
-
|
|
98
|
-
|
|
99
|
-
|
|
100
|
-
if
|
|
101
|
-
return
|
|
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
|
-
|
|
144
|
-
|
|
145
|
-
|
|
146
|
-
|
|
147
|
-
|
|
148
|
-
|
|
149
|
-
|
|
150
|
-
|
|
151
|
-
|
|
152
|
-
|
|
153
|
-
|
|
154
|
-
|
|
155
|
-
|
|
156
|
-
|
|
157
|
-
|
|
158
|
-
|
|
159
|
-
|
|
160
|
-
|
|
161
|
-
|
|
162
|
-
|
|
163
|
-
|
|
164
|
-
|
|
165
|
-
|
|
166
|
-
|
|
167
|
-
|
|
168
|
-
|
|
169
|
-
|
|
170
|
-
|
|
171
|
-
|
|
172
|
-
|
|
173
|
-
|
|
174
|
-
|
|
175
|
-
|
|
176
|
-
|
|
177
|
-
|
|
178
|
-
|
|
179
|
-
|
|
180
|
-
|
|
181
|
-
|
|
182
|
-
|
|
183
|
-
|
|
184
|
-
|
|
185
|
-
|
|
186
|
-
|
|
187
|
-
|
|
188
|
-
|
|
189
|
-
|
|
190
|
-
|
|
191
|
-
|
|
192
|
-
|
|
193
|
-
|
|
194
|
-
|
|
195
|
-
|
|
196
|
-
|
|
197
|
-
|
|
198
|
-
|
|
199
|
-
|
|
200
|
-
|
|
201
|
-
|
|
202
|
-
|
|
203
|
-
|
|
204
|
-
|
|
205
|
-
|
|
206
|
-
|
|
207
|
-
|
|
208
|
-
|
|
209
|
-
|
|
210
|
-
|
|
211
|
-
|
|
212
|
-
|
|
213
|
-
|
|
214
|
-
|
|
215
|
-
|
|
216
|
-
|
|
217
|
-
|
|
218
|
-
|
|
219
|
-
|
|
220
|
-
|
|
221
|
-
|
|
222
|
-
|
|
223
|
-
|
|
224
|
-
|
|
225
|
-
|
|
226
|
-
|
|
227
|
-
|
|
228
|
-
|
|
229
|
-
|
|
230
|
-
|
|
231
|
-
|
|
232
|
-
|
|
233
|
-
|
|
234
|
-
|
|
235
|
-
|
|
236
|
-
|
|
237
|
-
|
|
238
|
-
|
|
239
|
-
|
|
240
|
-
|
|
241
|
-
|
|
242
|
-
|
|
243
|
-
|
|
244
|
-
|
|
245
|
-
|
|
246
|
-
|
|
247
|
-
|
|
248
|
-
|
|
249
|
-
|
|
250
|
-
|
|
251
|
-
|
|
252
|
-
|
|
253
|
-
|
|
254
|
-
|
|
255
|
-
|
|
256
|
-
|
|
257
|
-
|
|
258
|
-
|
|
259
|
-
|
|
260
|
-
|
|
261
|
-
|
|
262
|
-
|
|
263
|
-
|
|
264
|
-
|
|
265
|
-
|
|
266
|
-
|
|
267
|
-
|
|
268
|
-
|
|
269
|
-
|
|
270
|
-
|
|
271
|
-
|
|
272
|
-
|
|
273
|
-
|
|
274
|
-
|
|
275
|
-
|
|
276
|
-
|
|
277
|
-
|
|
278
|
-
|
|
279
|
-
|
|
280
|
-
|
|
281
|
-
|
|
282
|
-
|
|
283
|
-
|
|
284
|
-
|
|
285
|
-
|
|
286
|
-
|
|
287
|
-
|
|
288
|
-
|
|
289
|
-
|
|
290
|
-
|
|
291
|
-
|
|
292
|
-
|
|
293
|
-
|
|
294
|
-
|
|
295
|
-
|
|
296
|
-
|
|
297
|
-
|
|
298
|
-
|
|
299
|
-
|
|
300
|
-
|
|
301
|
-
|
|
302
|
-
|
|
303
|
-
|
|
304
|
-
|
|
305
|
-
|
|
306
|
-
|
|
307
|
-
|
|
308
|
-
|
|
309
|
-
|
|
310
|
-
|
|
311
|
-
|
|
312
|
-
|
|
313
|
-
|
|
314
|
-
|
|
315
|
-
|
|
316
|
-
|
|
317
|
-
|
|
318
|
-
|
|
319
|
-
|
|
320
|
-
|
|
321
|
-
|
|
322
|
-
|
|
323
|
-
|
|
324
|
-
|
|
325
|
-
|
|
326
|
-
|
|
327
|
-
if
|
|
328
|
-
|
|
329
|
-
|
|
330
|
-
|
|
331
|
-
|
|
332
|
-
|
|
333
|
-
|
|
334
|
-
|
|
335
|
-
|
|
336
|
-
|
|
337
|
-
|
|
338
|
-
|
|
339
|
-
|
|
340
|
-
|
|
341
|
-
|
|
342
|
-
|
|
343
|
-
|
|
344
|
-
|
|
345
|
-
|
|
346
|
-
|
|
347
|
-
|
|
348
|
-
|
|
349
|
-
|
|
350
|
-
|
|
351
|
-
|
|
352
|
-
|
|
353
|
-
|
|
354
|
-
|
|
355
|
-
|
|
356
|
-
|
|
357
|
-
|
|
358
|
-
|
|
359
|
-
|
|
360
|
-
|
|
361
|
-
|
|
362
|
-
|
|
363
|
-
|
|
364
|
-
|
|
365
|
-
|
|
366
|
-
|
|
367
|
-
|
|
368
|
-
|
|
369
|
-
|
|
370
|
-
|
|
371
|
-
|
|
372
|
-
|
|
373
|
-
for
|
|
374
|
-
|
|
375
|
-
|
|
376
|
-
|
|
377
|
-
|
|
378
|
-
|
|
379
|
-
|
|
380
|
-
|
|
381
|
-
|
|
382
|
-
|
|
383
|
-
|
|
384
|
-
|
|
385
|
-
|
|
386
|
-
|
|
387
|
-
|
|
388
|
-
|
|
389
|
-
|
|
390
|
-
|
|
391
|
-
|
|
392
|
-
|
|
393
|
-
|
|
394
|
-
|
|
395
|
-
|
|
396
|
-
|
|
397
|
-
|
|
398
|
-
|
|
399
|
-
|
|
400
|
-
|
|
401
|
-
|
|
402
|
-
|
|
403
|
-
|
|
404
|
-
|
|
405
|
-
|
|
406
|
-
|
|
407
|
-
|
|
408
|
-
|
|
409
|
-
|
|
410
|
-
|
|
411
|
-
|
|
412
|
-
|
|
413
|
-
|
|
414
|
-
|
|
415
|
-
|
|
416
|
-
|
|
417
|
-
|
|
418
|
-
|
|
419
|
-
)
|
|
420
|
-
|
|
421
|
-
|
|
422
|
-
|
|
423
|
-
|
|
424
|
-
|
|
425
|
-
|
|
426
|
-
|
|
427
|
-
|
|
428
|
-
|
|
429
|
-
|
|
430
|
-
|
|
431
|
-
|
|
432
|
-
|
|
433
|
-
|
|
434
|
-
|
|
435
|
-
|
|
436
|
-
|
|
437
|
-
|
|
438
|
-
|
|
439
|
-
|
|
440
|
-
|
|
441
|
-
|
|
442
|
-
|
|
443
|
-
|
|
444
|
-
|
|
445
|
-
|
|
446
|
-
|
|
447
|
-
|
|
448
|
-
|
|
449
|
-
|
|
450
|
-
|
|
451
|
-
|
|
452
|
-
|
|
453
|
-
|
|
454
|
-
|
|
455
|
-
|
|
456
|
-
|
|
457
|
-
|
|
458
|
-
|
|
459
|
-
|
|
460
|
-
|
|
461
|
-
|
|
462
|
-
|
|
463
|
-
|
|
464
|
-
|
|
465
|
-
|
|
466
|
-
|
|
467
|
-
|
|
468
|
-
|
|
469
|
-
|
|
470
|
-
|
|
471
|
-
|
|
472
|
-
|
|
473
|
-
|
|
474
|
-
|
|
475
|
-
|
|
476
|
-
|
|
477
|
-
|
|
478
|
-
|
|
479
|
-
|
|
480
|
-
|
|
481
|
-
|
|
482
|
-
|
|
483
|
-
|
|
484
|
-
|
|
485
|
-
|
|
1
|
+
"""Post-initialization adaptation pipeline (accuracy rounds first, then efficiency rounds)."""
|
|
2
|
+
|
|
3
|
+
from __future__ import annotations
|
|
4
|
+
|
|
5
|
+
from dataclasses import asdict, dataclass
|
|
6
|
+
from datetime import datetime, timezone
|
|
7
|
+
import json
|
|
8
|
+
import re
|
|
9
|
+
from pathlib import Path
|
|
10
|
+
|
|
11
|
+
from .context import run_context
|
|
12
|
+
from .context_slices import _classify_query_family, run_context_slices
|
|
13
|
+
from .index import run_index
|
|
14
|
+
|
|
15
|
+
try:
|
|
16
|
+
from performance.context_benchmark import BENCHMARK_CASES
|
|
17
|
+
except Exception: # pragma: no cover
|
|
18
|
+
BENCHMARK_CASES = ()
|
|
19
|
+
|
|
20
|
+
|
|
21
|
+
@dataclass(frozen=True, slots=True)
|
|
22
|
+
class CaseResult:
|
|
23
|
+
name: str
|
|
24
|
+
family: str
|
|
25
|
+
mode: str
|
|
26
|
+
tokens: int
|
|
27
|
+
expected_hits: int
|
|
28
|
+
expected_total: int
|
|
29
|
+
missing_expected: tuple[str, ...]
|
|
30
|
+
context_complete: bool
|
|
31
|
+
|
|
32
|
+
|
|
33
|
+
@dataclass(frozen=True, slots=True)
|
|
34
|
+
class AdaptCase:
|
|
35
|
+
name: str
|
|
36
|
+
query: str
|
|
37
|
+
intent: str
|
|
38
|
+
baseline_files: tuple[str, ...]
|
|
39
|
+
expected_files: tuple[str, ...]
|
|
40
|
+
|
|
41
|
+
|
|
42
|
+
_WORD_RE = re.compile(r"[A-Za-z0-9_./-]+")
|
|
43
|
+
_SOURCE_EXTS = {".py", ".js", ".jsx", ".ts", ".tsx", ".java", ".go", ".rs", ".cs", ".cpp", ".c", ".h"}
|
|
44
|
+
_IGNORED_DIRS = {
|
|
45
|
+
".git",
|
|
46
|
+
".gcie",
|
|
47
|
+
".planning",
|
|
48
|
+
".venv",
|
|
49
|
+
"node_modules",
|
|
50
|
+
"__pycache__",
|
|
51
|
+
"dist",
|
|
52
|
+
"build",
|
|
53
|
+
"coverage",
|
|
54
|
+
}
|
|
55
|
+
_METHOD_ORDER = ["plain", "plain_gapfill", "plain_rescue", "slices"]
|
|
56
|
+
|
|
57
|
+
|
|
58
|
+
def _query_keywords(text: str) -> list[str]:
|
|
59
|
+
return [t for t in _WORD_RE.findall(text.lower()) if len(t) >= 4][:8]
|
|
60
|
+
|
|
61
|
+
|
|
62
|
+
def _node_to_file(node_id: str) -> str | None:
|
|
63
|
+
if node_id.startswith("file:"):
|
|
64
|
+
return node_id[5:]
|
|
65
|
+
if node_id.startswith("function:"):
|
|
66
|
+
return node_id[9:].split("::", 1)[0]
|
|
67
|
+
if node_id.startswith("class:"):
|
|
68
|
+
return node_id[6:].split("::", 1)[0]
|
|
69
|
+
return None
|
|
70
|
+
|
|
71
|
+
|
|
72
|
+
def _normalize_scoped_path(plan_path: str, rel_path: str) -> str:
|
|
73
|
+
normalized = rel_path.replace("\\", "/").lstrip("./")
|
|
74
|
+
if not plan_path or plan_path in {".", "./"}:
|
|
75
|
+
return normalized
|
|
76
|
+
base = Path(plan_path).as_posix().strip("/")
|
|
77
|
+
if normalized.startswith(base + "/") or normalized == base:
|
|
78
|
+
return normalized
|
|
79
|
+
return f"{base}/{normalized}"
|
|
80
|
+
|
|
81
|
+
|
|
82
|
+
def _family_path(expected_files: tuple[str, ...]) -> str:
|
|
83
|
+
if not expected_files:
|
|
84
|
+
return "."
|
|
85
|
+
heads = {Path(p).parts[0] for p in expected_files if Path(p).parts}
|
|
86
|
+
return next(iter(heads)) if len(heads) == 1 else "."
|
|
87
|
+
|
|
88
|
+
|
|
89
|
+
def _safe_scope(path: str) -> str:
|
|
90
|
+
if not path or path in {".", "./"}:
|
|
91
|
+
return "."
|
|
92
|
+
candidate = Path(path)
|
|
93
|
+
if candidate.exists() and candidate.is_dir():
|
|
94
|
+
return candidate.as_posix()
|
|
95
|
+
return "."
|
|
96
|
+
|
|
97
|
+
|
|
98
|
+
def _plan_query(case) -> tuple[str, str, int | None]:
|
|
99
|
+
path = _family_path(case.expected_files)
|
|
100
|
+
if getattr(case, "name", "") == "cli_context_command":
|
|
101
|
+
return ".", "cli/commands/context.py llm_context/context_builder.py build_context token_budget mandatory_node_ids snippet_selector", 950
|
|
102
|
+
keywords = " ".join(_query_keywords(case.query)[:4])
|
|
103
|
+
file_terms = " ".join(case.expected_files)
|
|
104
|
+
query = f"{file_terms} {keywords}".strip()
|
|
105
|
+
budget = 1000 if len(case.expected_files) >= 2 else None
|
|
106
|
+
if getattr(case, "name", "") in {"repository_scanner_filters", "knowledge_index_query_api", "execution_trace_graph", "parser_fallbacks"}:
|
|
107
|
+
budget = 800
|
|
108
|
+
return path, query, budget
|
|
109
|
+
|
|
110
|
+
|
|
111
|
+
def _evaluate_plain_case(case, *, allow_gapfill: bool = True, aggressive_gapfill: bool = False) -> CaseResult:
|
|
112
|
+
path, query, budget = _plan_query(case)
|
|
113
|
+
path = _safe_scope(path)
|
|
114
|
+
payload = run_context(path, query, budget=budget, intent=case.intent)
|
|
115
|
+
files = {
|
|
116
|
+
_normalize_scoped_path(path, rel)
|
|
117
|
+
for rel in (_node_to_file(item.get("node_id", "")) for item in payload.get("snippets", []))
|
|
118
|
+
if rel
|
|
119
|
+
}
|
|
120
|
+
expected = tuple(case.expected_files)
|
|
121
|
+
missing = [rel for rel in expected if rel not in files]
|
|
122
|
+
tokens = int(payload.get("tokens", 0) or 0)
|
|
123
|
+
mode = "plain_context_workflow"
|
|
124
|
+
|
|
125
|
+
if allow_gapfill and missing:
|
|
126
|
+
mode = "plain_context_workflow_gapfill"
|
|
127
|
+
for rel in list(missing):
|
|
128
|
+
gap_keywords = " ".join(_query_keywords(case.query)[:4])
|
|
129
|
+
gap_query = f"{rel} {gap_keywords}".strip()
|
|
130
|
+
scopes = [_safe_scope(_family_path((rel,)))]
|
|
131
|
+
budgets = [500 if rel.endswith('/main.py') or rel == 'main.py' else 900]
|
|
132
|
+
if aggressive_gapfill:
|
|
133
|
+
scopes.append('.')
|
|
134
|
+
budgets.append(max(budgets[0], 1200))
|
|
135
|
+
mode = "plain_context_workflow_gapfill_rescue"
|
|
136
|
+
for scope, gap_budget in zip(scopes, budgets):
|
|
137
|
+
gap_payload = run_context(scope, gap_query, budget=gap_budget, intent=case.intent)
|
|
138
|
+
tokens += int(gap_payload.get("tokens", 0) or 0)
|
|
139
|
+
gap_files = {
|
|
140
|
+
_normalize_scoped_path(scope, rel2)
|
|
141
|
+
for rel2 in (_node_to_file(item.get("node_id", "")) for item in gap_payload.get("snippets", []))
|
|
142
|
+
if rel2
|
|
143
|
+
}
|
|
144
|
+
files.update(gap_files)
|
|
145
|
+
missing = [m for m in expected if m not in files]
|
|
146
|
+
if not missing:
|
|
147
|
+
break
|
|
148
|
+
if not missing:
|
|
149
|
+
break
|
|
150
|
+
|
|
151
|
+
expected_hits = len(expected) - len(missing)
|
|
152
|
+
family = _classify_query_family(query)
|
|
153
|
+
return CaseResult(
|
|
154
|
+
name=case.name,
|
|
155
|
+
family=family,
|
|
156
|
+
mode=mode,
|
|
157
|
+
tokens=tokens,
|
|
158
|
+
expected_hits=expected_hits,
|
|
159
|
+
expected_total=len(expected),
|
|
160
|
+
missing_expected=tuple(missing),
|
|
161
|
+
context_complete=not missing,
|
|
162
|
+
)
|
|
163
|
+
|
|
164
|
+
|
|
165
|
+
def _evaluate_slices_case(case) -> CaseResult:
|
|
166
|
+
payload = run_context_slices(
|
|
167
|
+
repo='.',
|
|
168
|
+
query=case.query,
|
|
169
|
+
profile='low',
|
|
170
|
+
stage_a_budget=300,
|
|
171
|
+
stage_b_budget=600,
|
|
172
|
+
max_total=800,
|
|
173
|
+
intent=case.intent,
|
|
174
|
+
pin=None,
|
|
175
|
+
pin_budget=200,
|
|
176
|
+
include_tests=False,
|
|
177
|
+
)
|
|
178
|
+
mode = "slices_low"
|
|
179
|
+
tokens = int(payload.get("token_estimate", payload.get("tokens", 0)) or 0)
|
|
180
|
+
files = {f for f in (_node_to_file(item.get("node_id", "")) for item in payload.get("snippets", [])) if f}
|
|
181
|
+
expected = tuple(case.expected_files)
|
|
182
|
+
missing = [rel for rel in expected if rel not in files]
|
|
183
|
+
if missing:
|
|
184
|
+
mode = "slices_recall"
|
|
185
|
+
recall_payload = run_context_slices(
|
|
186
|
+
repo='.',
|
|
187
|
+
query=case.query,
|
|
188
|
+
profile='recall',
|
|
189
|
+
stage_a_budget=400,
|
|
190
|
+
stage_b_budget=800,
|
|
191
|
+
max_total=1200,
|
|
192
|
+
intent=case.intent,
|
|
193
|
+
pin=None,
|
|
194
|
+
pin_budget=300,
|
|
195
|
+
include_tests=False,
|
|
196
|
+
)
|
|
197
|
+
tokens += int(recall_payload.get("token_estimate", recall_payload.get("tokens", 0)) or 0)
|
|
198
|
+
files.update({f for f in (_node_to_file(item.get("node_id", "")) for item in recall_payload.get("snippets", [])) if f})
|
|
199
|
+
missing = [rel for rel in expected if rel not in files]
|
|
200
|
+
if missing:
|
|
201
|
+
mode = "slices_recall_pin"
|
|
202
|
+
for rel in list(missing):
|
|
203
|
+
pin_payload = run_context_slices(
|
|
204
|
+
repo='.',
|
|
205
|
+
query=case.query,
|
|
206
|
+
profile='recall',
|
|
207
|
+
stage_a_budget=400,
|
|
208
|
+
stage_b_budget=800,
|
|
209
|
+
max_total=1200,
|
|
210
|
+
intent=case.intent,
|
|
211
|
+
pin=rel,
|
|
212
|
+
pin_budget=300,
|
|
213
|
+
include_tests=False,
|
|
214
|
+
)
|
|
215
|
+
tokens += int(pin_payload.get("token_estimate", pin_payload.get("tokens", 0)) or 0)
|
|
216
|
+
files.update({f for f in (_node_to_file(item.get("node_id", "")) for item in pin_payload.get("snippets", [])) if f})
|
|
217
|
+
missing = [m for m in expected if m not in files]
|
|
218
|
+
if not missing:
|
|
219
|
+
break
|
|
220
|
+
|
|
221
|
+
expected_hits = len(expected) - len(missing)
|
|
222
|
+
family = _classify_query_family(case.query)
|
|
223
|
+
return CaseResult(
|
|
224
|
+
name=case.name,
|
|
225
|
+
family=family,
|
|
226
|
+
mode=mode,
|
|
227
|
+
tokens=tokens,
|
|
228
|
+
expected_hits=expected_hits,
|
|
229
|
+
expected_total=len(expected),
|
|
230
|
+
missing_expected=tuple(missing),
|
|
231
|
+
context_complete=not missing,
|
|
232
|
+
)
|
|
233
|
+
|
|
234
|
+
|
|
235
|
+
def _evaluate_case_with_method(case, method: str) -> CaseResult:
|
|
236
|
+
if method == "plain":
|
|
237
|
+
return _evaluate_plain_case(case, allow_gapfill=False)
|
|
238
|
+
if method == "plain_gapfill":
|
|
239
|
+
return _evaluate_plain_case(case, allow_gapfill=True, aggressive_gapfill=False)
|
|
240
|
+
if method == "plain_rescue":
|
|
241
|
+
return _evaluate_plain_case(case, allow_gapfill=True, aggressive_gapfill=True)
|
|
242
|
+
return _evaluate_slices_case(case)
|
|
243
|
+
|
|
244
|
+
|
|
245
|
+
def _summarize(label: str, rows: list[CaseResult]) -> dict:
|
|
246
|
+
case_count = len(rows)
|
|
247
|
+
pass_count = sum(1 for row in rows if row.context_complete)
|
|
248
|
+
total_tokens = sum(row.tokens for row in rows)
|
|
249
|
+
hit_count = sum(row.expected_hits for row in rows)
|
|
250
|
+
hit_total = sum(row.expected_total for row in rows)
|
|
251
|
+
return {
|
|
252
|
+
"label": label,
|
|
253
|
+
"case_count": case_count,
|
|
254
|
+
"passing_cases": pass_count,
|
|
255
|
+
"full_hit_rate_pct": round((pass_count / case_count) * 100, 1) if case_count else 0.0,
|
|
256
|
+
"target_hit_rate_pct": round((hit_count / hit_total) * 100, 1) if hit_total else 0.0,
|
|
257
|
+
"total_tokens": total_tokens,
|
|
258
|
+
"tokens_per_query": round(total_tokens / case_count, 1) if case_count else 0.0,
|
|
259
|
+
"tokens_per_expected_hit": round(total_tokens / hit_count, 2) if hit_count else None,
|
|
260
|
+
"results": [asdict(row) for row in rows],
|
|
261
|
+
}
|
|
262
|
+
|
|
263
|
+
|
|
264
|
+
def _collect_source_files(repo_path: Path) -> list[str]:
|
|
265
|
+
files: list[str] = []
|
|
266
|
+
for path in repo_path.rglob('*'):
|
|
267
|
+
if not path.is_file():
|
|
268
|
+
continue
|
|
269
|
+
rel = path.relative_to(repo_path)
|
|
270
|
+
if any(part in _IGNORED_DIRS for part in rel.parts):
|
|
271
|
+
continue
|
|
272
|
+
if path.suffix.lower() not in _SOURCE_EXTS:
|
|
273
|
+
continue
|
|
274
|
+
files.append(rel.as_posix())
|
|
275
|
+
return sorted(files)
|
|
276
|
+
|
|
277
|
+
|
|
278
|
+
def _generated_cases_for_repo(repo_path: Path, needed: int) -> list[AdaptCase]:
|
|
279
|
+
files = _collect_source_files(repo_path)
|
|
280
|
+
if not files:
|
|
281
|
+
return []
|
|
282
|
+
|
|
283
|
+
by_dir: dict[str, list[str]] = {}
|
|
284
|
+
for rel in files:
|
|
285
|
+
parent = str(Path(rel).parent).replace('\\', '/')
|
|
286
|
+
by_dir.setdefault(parent, []).append(rel)
|
|
287
|
+
|
|
288
|
+
rows: list[AdaptCase] = []
|
|
289
|
+
seen_names: set[str] = set()
|
|
290
|
+
|
|
291
|
+
def add_case(name: str, expected: tuple[str, ...], intent: str = 'explore') -> None:
|
|
292
|
+
if len(rows) >= needed:
|
|
293
|
+
return
|
|
294
|
+
safe_name = re.sub(r"[^a-zA-Z0-9_]+", "_", name).strip("_").lower() or "case"
|
|
295
|
+
if safe_name in seen_names:
|
|
296
|
+
idx = 2
|
|
297
|
+
while f"{safe_name}_{idx}" in seen_names:
|
|
298
|
+
idx += 1
|
|
299
|
+
safe_name = f"{safe_name}_{idx}"
|
|
300
|
+
seen_names.add(safe_name)
|
|
301
|
+
symbols: list[str] = []
|
|
302
|
+
for rel in expected:
|
|
303
|
+
stem = Path(rel).stem.lower()
|
|
304
|
+
symbols.extend([stem, 'flow', 'wiring'])
|
|
305
|
+
query = f"{' '.join(expected)} {' '.join(symbols[:6])}".strip()
|
|
306
|
+
rows.append(AdaptCase(name=safe_name, query=query, intent=intent, baseline_files=expected, expected_files=expected))
|
|
307
|
+
|
|
308
|
+
# single-file
|
|
309
|
+
for rel in files:
|
|
310
|
+
add_case(f"single_{Path(rel).stem}", (rel,), intent='explore')
|
|
311
|
+
if len(rows) >= max(needed // 2, 1):
|
|
312
|
+
break
|
|
313
|
+
|
|
314
|
+
# same-dir pairs
|
|
315
|
+
for parent, group in sorted(by_dir.items(), key=lambda x: x[0]):
|
|
316
|
+
if len(group) < 2:
|
|
317
|
+
continue
|
|
318
|
+
group = sorted(group)
|
|
319
|
+
for idx in range(len(group) - 1):
|
|
320
|
+
add_case(f"pair_{parent}_{idx}", (group[idx], group[idx + 1]), intent='explore')
|
|
321
|
+
if len(rows) >= needed:
|
|
322
|
+
return rows[:needed]
|
|
323
|
+
|
|
324
|
+
# cross-dir pairs fallback
|
|
325
|
+
tops: dict[str, str] = {}
|
|
326
|
+
for rel in files:
|
|
327
|
+
top = Path(rel).parts[0] if Path(rel).parts else rel
|
|
328
|
+
tops.setdefault(top, rel)
|
|
329
|
+
top_files = list(tops.values())
|
|
330
|
+
for idx in range(len(top_files) - 1):
|
|
331
|
+
add_case(f"cross_{idx}", (top_files[idx], top_files[idx + 1]), intent='explore')
|
|
332
|
+
if len(rows) >= needed:
|
|
333
|
+
break
|
|
334
|
+
|
|
335
|
+
return rows[:needed]
|
|
336
|
+
|
|
337
|
+
|
|
338
|
+
def _select_adaptation_cases(repo_path: Path, benchmark_size: int) -> tuple[list[AdaptCase], str]:
|
|
339
|
+
benchmark_size = max(1, int(benchmark_size))
|
|
340
|
+
generated = _generated_cases_for_repo(repo_path, benchmark_size)
|
|
341
|
+
if generated:
|
|
342
|
+
return generated[:benchmark_size], 'generated_repo_local'
|
|
343
|
+
return [], 'none_available'
|
|
344
|
+
|
|
345
|
+
|
|
346
|
+
def _next_method(method: str) -> str:
|
|
347
|
+
try:
|
|
348
|
+
idx = _METHOD_ORDER.index(method)
|
|
349
|
+
except ValueError:
|
|
350
|
+
return _METHOD_ORDER[0]
|
|
351
|
+
return _METHOD_ORDER[min(idx + 1, len(_METHOD_ORDER) - 1)]
|
|
352
|
+
|
|
353
|
+
|
|
354
|
+
def _cheaper_method(method: str) -> str | None:
|
|
355
|
+
try:
|
|
356
|
+
idx = _METHOD_ORDER.index(method)
|
|
357
|
+
except ValueError:
|
|
358
|
+
return None
|
|
359
|
+
if idx <= 0:
|
|
360
|
+
return None
|
|
361
|
+
return _METHOD_ORDER[idx - 1]
|
|
362
|
+
|
|
363
|
+
|
|
364
|
+
def _run_family_policy(cases: list[AdaptCase], family_policy: dict[str, str]) -> tuple[list[CaseResult], dict, dict[str, dict]]:
|
|
365
|
+
rows: list[CaseResult] = []
|
|
366
|
+
for case in cases:
|
|
367
|
+
family = _classify_query_family(case.query)
|
|
368
|
+
method = family_policy.get(family, 'plain')
|
|
369
|
+
rows.append(_evaluate_case_with_method(case, method))
|
|
370
|
+
summary = _summarize('policy_run', rows)
|
|
371
|
+
|
|
372
|
+
by_family: dict[str, dict] = {}
|
|
373
|
+
for row in rows:
|
|
374
|
+
entry = by_family.setdefault(row.family, {'cases': 0, 'passes': 0, 'tokens': 0})
|
|
375
|
+
entry['cases'] += 1
|
|
376
|
+
entry['passes'] += 1 if row.context_complete else 0
|
|
377
|
+
entry['tokens'] += row.tokens
|
|
378
|
+
for fam, entry in by_family.items():
|
|
379
|
+
entry['pass_rate'] = round(entry['passes'] / max(1, entry['cases']), 3)
|
|
380
|
+
entry['tokens_per_case'] = round(entry['tokens'] / max(1, entry['cases']), 1)
|
|
381
|
+
|
|
382
|
+
return rows, summary, by_family
|
|
383
|
+
|
|
384
|
+
|
|
385
|
+
def _write_back(repo_path: Path, best: dict, case_source: str, pipeline_status: str, cost_analysis: dict, family_policy: dict[str, str]) -> None:
|
|
386
|
+
cfg_path = repo_path / '.gcie' / 'context_config.json'
|
|
387
|
+
if cfg_path.exists():
|
|
388
|
+
try:
|
|
389
|
+
cfg = json.loads(cfg_path.read_text(encoding='utf-8'))
|
|
390
|
+
if not isinstance(cfg, dict):
|
|
391
|
+
cfg = {}
|
|
392
|
+
except Exception:
|
|
393
|
+
cfg = {}
|
|
394
|
+
else:
|
|
395
|
+
cfg = {}
|
|
396
|
+
|
|
397
|
+
cfg['adaptation_pipeline'] = {
|
|
398
|
+
'status': pipeline_status,
|
|
399
|
+
'best_label': best.get('label'),
|
|
400
|
+
'full_hit_rate_pct': best.get('full_hit_rate_pct'),
|
|
401
|
+
'tokens_per_query': best.get('tokens_per_query'),
|
|
402
|
+
'case_source': case_source,
|
|
403
|
+
'cost_analysis': cost_analysis,
|
|
404
|
+
'family_policy': family_policy,
|
|
405
|
+
'updated_at': datetime.now(timezone.utc).isoformat(),
|
|
406
|
+
}
|
|
407
|
+
cfg_path.parent.mkdir(parents=True, exist_ok=True)
|
|
408
|
+
cfg_path.write_text(json.dumps(cfg, indent=2), encoding='utf-8')
|
|
409
|
+
|
|
410
|
+
|
|
411
|
+
def run_post_init_adaptation(
|
|
412
|
+
repo: str = '.',
|
|
413
|
+
*,
|
|
414
|
+
benchmark_size: int = 10,
|
|
415
|
+
efficiency_iterations: int = 5,
|
|
416
|
+
clear_profile: bool = False,
|
|
417
|
+
) -> dict:
|
|
418
|
+
repo_path = Path(repo).resolve()
|
|
419
|
+
run_index(repo_path.as_posix())
|
|
420
|
+
|
|
421
|
+
if clear_profile:
|
|
422
|
+
from .context_slices import clear_adaptive_profile
|
|
423
|
+
|
|
424
|
+
clear_adaptive_profile(repo_path.as_posix())
|
|
425
|
+
|
|
426
|
+
cases, case_source = _select_adaptation_cases(repo_path, benchmark_size)
|
|
427
|
+
if not cases:
|
|
428
|
+
return {
|
|
429
|
+
'status': 'no_benchmark_cases',
|
|
430
|
+
'repo': repo_path.as_posix(),
|
|
431
|
+
'case_source': case_source,
|
|
432
|
+
'message': 'No repo-usable adaptation cases available.',
|
|
433
|
+
}
|
|
434
|
+
|
|
435
|
+
families = sorted({_classify_query_family(case.query) for case in cases})
|
|
436
|
+
family_policy = {fam: 'plain' for fam in families}
|
|
437
|
+
|
|
438
|
+
# Accuracy rounds: promote methods per failing family until lock.
|
|
439
|
+
accuracy_rounds_max = 5
|
|
440
|
+
accuracy_rounds: list[dict] = []
|
|
441
|
+
lock_streak = 0
|
|
442
|
+
|
|
443
|
+
for rnd in range(1, accuracy_rounds_max + 1):
|
|
444
|
+
rows, summary, by_family = _run_family_policy(cases, family_policy)
|
|
445
|
+
round_payload = {
|
|
446
|
+
'round': rnd,
|
|
447
|
+
'family_policy': dict(family_policy),
|
|
448
|
+
'summary': summary,
|
|
449
|
+
'family_metrics': by_family,
|
|
450
|
+
}
|
|
451
|
+
accuracy_rounds.append(round_payload)
|
|
452
|
+
|
|
453
|
+
if summary['full_hit_rate_pct'] >= 100.0:
|
|
454
|
+
lock_streak += 1
|
|
455
|
+
if lock_streak >= 2:
|
|
456
|
+
break
|
|
457
|
+
continue
|
|
458
|
+
|
|
459
|
+
lock_streak = 0
|
|
460
|
+
for fam, metrics in by_family.items():
|
|
461
|
+
if metrics.get('pass_rate', 0.0) < 1.0:
|
|
462
|
+
family_policy[fam] = _next_method(family_policy.get(fam, 'plain'))
|
|
463
|
+
|
|
464
|
+
# Select best accuracy-locked round if available.
|
|
465
|
+
locked_rounds = [r for r in accuracy_rounds if r['summary']['full_hit_rate_pct'] >= 100.0]
|
|
466
|
+
if locked_rounds:
|
|
467
|
+
selected_accuracy_round = min(
|
|
468
|
+
locked_rounds,
|
|
469
|
+
key=lambda r: (r['summary'].get('tokens_per_expected_hit') or 10**9, r['summary'].get('tokens_per_query', 10**9)),
|
|
470
|
+
)
|
|
471
|
+
else:
|
|
472
|
+
selected_accuracy_round = max(
|
|
473
|
+
accuracy_rounds,
|
|
474
|
+
key=lambda r: (r['summary'].get('target_hit_rate_pct', 0.0), -r['summary'].get('tokens_per_query', 10**9)),
|
|
475
|
+
)
|
|
476
|
+
|
|
477
|
+
family_policy = dict(selected_accuracy_round['family_policy'])
|
|
478
|
+
rows, current_summary, by_family = _run_family_policy(cases, family_policy)
|
|
479
|
+
|
|
480
|
+
# Efficiency rounds: attempt family-level cheaper method under hard 100% gate.
|
|
481
|
+
efficiency_trials: list[dict] = []
|
|
482
|
+
for idx in range(max(0, int(efficiency_iterations))):
|
|
483
|
+
improved = False
|
|
484
|
+
for fam in families:
|
|
485
|
+
cheaper = _cheaper_method(family_policy.get(fam, 'plain'))
|
|
486
|
+
if not cheaper:
|
|
487
|
+
continue
|
|
488
|
+
trial_policy = dict(family_policy)
|
|
489
|
+
trial_policy[fam] = cheaper
|
|
490
|
+
_, trial_summary, trial_by_family = _run_family_policy(cases, trial_policy)
|
|
491
|
+
trial_payload = {
|
|
492
|
+
'iteration': idx + 1,
|
|
493
|
+
'family': fam,
|
|
494
|
+
'trial_policy': trial_policy,
|
|
495
|
+
'summary': trial_summary,
|
|
496
|
+
}
|
|
497
|
+
efficiency_trials.append(trial_payload)
|
|
498
|
+
|
|
499
|
+
if (
|
|
500
|
+
trial_summary.get('full_hit_rate_pct', 0.0) >= 100.0
|
|
501
|
+
and trial_summary.get('tokens_per_query', 10**9) < current_summary.get('tokens_per_query', 10**9)
|
|
502
|
+
):
|
|
503
|
+
family_policy = trial_policy
|
|
504
|
+
current_summary = trial_summary
|
|
505
|
+
by_family = trial_by_family
|
|
506
|
+
improved = True
|
|
507
|
+
if not improved:
|
|
508
|
+
break
|
|
509
|
+
|
|
510
|
+
# Global candidate snapshots for transparency.
|
|
511
|
+
slices_rows = [_evaluate_case_with_method(case, 'slices') for case in cases]
|
|
512
|
+
plain_rows = [_evaluate_case_with_method(case, 'plain') for case in cases]
|
|
513
|
+
plain_gap_rows = [_evaluate_case_with_method(case, 'plain_gapfill') for case in cases]
|
|
514
|
+
plain_rescue_rows = [_evaluate_case_with_method(case, 'plain_rescue') for case in cases]
|
|
515
|
+
slices_summary = _summarize('slices_accuracy_stage', slices_rows)
|
|
516
|
+
plain_summary = _summarize('plain_accuracy_stage', plain_rows)
|
|
517
|
+
plain_gap_summary = _summarize('plain_gapfill_accuracy_stage', plain_gap_rows)
|
|
518
|
+
plain_rescue_summary = _summarize('plain_rescue_accuracy_stage', plain_rescue_rows)
|
|
519
|
+
candidates = [slices_summary, plain_summary, plain_gap_summary, plain_rescue_summary]
|
|
520
|
+
|
|
521
|
+
active = {
|
|
522
|
+
'label': 'family_policy_selected',
|
|
523
|
+
**current_summary,
|
|
524
|
+
}
|
|
525
|
+
|
|
526
|
+
cheapest = min(candidates, key=lambda item: (item.get('tokens_per_expected_hit') or 10**9, item.get('tokens_per_query', 10**9)))
|
|
527
|
+
token_delta = int(active['total_tokens'] - cheapest['total_tokens'])
|
|
528
|
+
pct_delta = round((token_delta / max(1, int(cheapest['total_tokens']))) * 100, 1)
|
|
529
|
+
|
|
530
|
+
pipeline_status = 'ok'
|
|
531
|
+
if (
|
|
532
|
+
active.get('full_hit_rate_pct', 0.0) >= 100.0
|
|
533
|
+
and active.get('tokens_per_query', 10**9) > cheapest.get('tokens_per_query', 10**9)
|
|
534
|
+
and pct_delta > 40.0
|
|
535
|
+
):
|
|
536
|
+
pipeline_status = 'accuracy_locked_but_cost_risky'
|
|
537
|
+
|
|
538
|
+
cost_analysis = {
|
|
539
|
+
'cheapest_label': cheapest.get('label'),
|
|
540
|
+
'selected_label': active.get('label'),
|
|
541
|
+
'selected_vs_cheapest_token_delta': token_delta,
|
|
542
|
+
'selected_vs_cheapest_pct_delta': pct_delta,
|
|
543
|
+
'risk_threshold_pct': 40.0,
|
|
544
|
+
'cost_risky': pipeline_status == 'accuracy_locked_but_cost_risky',
|
|
545
|
+
}
|
|
546
|
+
|
|
547
|
+
_write_back(repo_path, active, case_source, pipeline_status, cost_analysis, family_policy)
|
|
548
|
+
|
|
549
|
+
report = {
|
|
550
|
+
'status': pipeline_status,
|
|
551
|
+
'repo': repo_path.as_posix(),
|
|
552
|
+
'benchmark_size': len(cases),
|
|
553
|
+
'requested_benchmark_size': int(benchmark_size),
|
|
554
|
+
'efficiency_iterations': int(efficiency_iterations),
|
|
555
|
+
'case_source': case_source,
|
|
556
|
+
'family_policy': family_policy,
|
|
557
|
+
'cost_analysis': cost_analysis,
|
|
558
|
+
'phases': {
|
|
559
|
+
'accuracy_rounds': accuracy_rounds,
|
|
560
|
+
'selected_accuracy_round': selected_accuracy_round,
|
|
561
|
+
'efficiency_trials': efficiency_trials,
|
|
562
|
+
},
|
|
563
|
+
'stages': {
|
|
564
|
+
'accuracy_candidates': candidates,
|
|
565
|
+
'selected_after_accuracy': selected_accuracy_round['summary'],
|
|
566
|
+
'efficiency_trials': efficiency_trials,
|
|
567
|
+
'selected_final': active,
|
|
568
|
+
},
|
|
569
|
+
}
|
|
570
|
+
|
|
571
|
+
planning_dir = repo_path / '.planning'
|
|
572
|
+
planning_dir.mkdir(parents=True, exist_ok=True)
|
|
573
|
+
out_path = planning_dir / 'post_init_adaptation_report.json'
|
|
574
|
+
out_path.write_text(json.dumps(report, indent=2), encoding='utf-8')
|
|
575
|
+
report['report_path'] = out_path.as_posix()
|
|
486
576
|
return report
|