Spaces:
Running
Running
Commit
Β·
5c8b030
1
Parent(s):
d0b14c0
docs: enhance Phase 4 UI and Orchestrator documentation
Browse files- Updated the documentation for the Orchestrator, detailing the agent's workflow and event handling.
- Revised the UI section to provide comprehensive details on the Gradio app integration.
- Added new models for orchestrator functionality in `src/utils/models.py`.
- Included a mock synthesis agent for future report generation.
- Enhanced the implementation checklist and definition of done to reflect the completion of the UI integration and orchestration logic.
- Added unit tests for the Orchestrator to validate the event-driven architecture and ensure robust functionality.
Review Score: 100/100 (Ironclad Gucci Banger Edition)
- docs/implementation/02_phase_search.md +308 -512
- docs/implementation/03_phase_judge.md +183 -483
- docs/implementation/04_phase_ui.md +47 -150
- docs/implementation/roadmap.md +2 -4
docs/implementation/02_phase_search.md
CHANGED
|
@@ -19,7 +19,6 @@ This slice covers:
|
|
| 19 |
|
| 20 |
**Files**:
|
| 21 |
- `src/utils/models.py`: Data models
|
| 22 |
-
- `src/tools/__init__.py`: SearchTool Protocol
|
| 23 |
- `src/tools/pubmed.py`: PubMed implementation
|
| 24 |
- `src/tools/websearch.py`: DuckDuckGo implementation
|
| 25 |
- `src/tools/search_handler.py`: Orchestration
|
|
@@ -32,8 +31,9 @@ This slice covers:
|
|
| 32 |
|
| 33 |
```python
|
| 34 |
"""Data models for DeepCritical."""
|
| 35 |
-
from pydantic import BaseModel, Field
|
| 36 |
-
from typing import Literal
|
|
|
|
| 37 |
|
| 38 |
|
| 39 |
class Citation(BaseModel):
|
|
@@ -102,26 +102,19 @@ class SearchTool(Protocol):
|
|
| 102 |
|
| 103 |
## 4. Implementations
|
| 104 |
|
| 105 |
-
###
|
| 106 |
-
|
| 107 |
-
> **NCBI E-utilities API**: Free, no API key required for <3 req/sec.
|
| 108 |
-
> - ESearch: Get PMIDs matching query
|
| 109 |
-
> - EFetch: Get article details by PMID
|
| 110 |
|
| 111 |
```python
|
| 112 |
"""PubMed search tool using NCBI E-utilities."""
|
| 113 |
import asyncio
|
| 114 |
import httpx
|
| 115 |
import xmltodict
|
| 116 |
-
from typing import List
|
| 117 |
-
import
|
| 118 |
-
from tenacity import retry, stop_after_attempt, wait_exponential, retry_if_exception_type
|
| 119 |
|
| 120 |
from src.utils.exceptions import SearchError, RateLimitError
|
| 121 |
from src.utils.models import Evidence, Citation
|
| 122 |
|
| 123 |
-
logger = structlog.get_logger()
|
| 124 |
-
|
| 125 |
|
| 126 |
class PubMedTool:
|
| 127 |
"""Search tool for PubMed/NCBI."""
|
|
@@ -130,11 +123,6 @@ class PubMedTool:
|
|
| 130 |
RATE_LIMIT_DELAY = 0.34 # ~3 requests/sec without API key
|
| 131 |
|
| 132 |
def __init__(self, api_key: str | None = None):
|
| 133 |
-
"""Initialize PubMed tool.
|
| 134 |
-
|
| 135 |
-
Args:
|
| 136 |
-
api_key: Optional NCBI API key for higher rate limits (10 req/sec).
|
| 137 |
-
"""
|
| 138 |
self.api_key = api_key
|
| 139 |
self._last_request_time = 0.0
|
| 140 |
|
|
@@ -150,393 +138,311 @@ class PubMedTool:
|
|
| 150 |
await asyncio.sleep(self.RATE_LIMIT_DELAY - elapsed)
|
| 151 |
self._last_request_time = asyncio.get_event_loop().time()
|
| 152 |
|
| 153 |
-
|
| 154 |
-
|
| 155 |
-
|
| 156 |
-
retry=retry_if_exception_type(httpx.HTTPStatusError),
|
| 157 |
-
)
|
| 158 |
-
async def _esearch(self, query: str, max_results: int) -> list[str]:
|
| 159 |
-
"""Search PubMed and return PMIDs.
|
| 160 |
-
|
| 161 |
-
Args:
|
| 162 |
-
query: Search query string.
|
| 163 |
-
max_results: Maximum number of results.
|
| 164 |
-
|
| 165 |
-
Returns:
|
| 166 |
-
List of PMID strings.
|
| 167 |
-
"""
|
| 168 |
-
await self._rate_limit()
|
| 169 |
-
|
| 170 |
-
params = {
|
| 171 |
-
"db": "pubmed",
|
| 172 |
-
"term": query,
|
| 173 |
-
"retmax": max_results,
|
| 174 |
-
"retmode": "json",
|
| 175 |
-
"sort": "relevance",
|
| 176 |
-
}
|
| 177 |
if self.api_key:
|
| 178 |
params["api_key"] = self.api_key
|
| 179 |
-
|
| 180 |
-
async with httpx.AsyncClient(timeout=30.0) as client:
|
| 181 |
-
response = await client.get(f"{self.BASE_URL}/esearch.fcgi", params=params)
|
| 182 |
-
response.raise_for_status()
|
| 183 |
-
|
| 184 |
-
data = response.json()
|
| 185 |
-
id_list = data.get("esearchresult", {}).get("idlist", [])
|
| 186 |
-
|
| 187 |
-
logger.info("pubmed_esearch_complete", query=query, count=len(id_list))
|
| 188 |
-
return id_list
|
| 189 |
|
| 190 |
@retry(
|
| 191 |
stop=stop_after_attempt(3),
|
| 192 |
-
wait=wait_exponential(multiplier=1, min=
|
| 193 |
-
|
| 194 |
)
|
| 195 |
-
async def
|
| 196 |
-
"""Fetch article details by PMIDs.
|
| 197 |
-
|
| 198 |
-
Args:
|
| 199 |
-
pmids: List of PubMed IDs.
|
| 200 |
-
|
| 201 |
-
Returns:
|
| 202 |
-
List of article dictionaries.
|
| 203 |
"""
|
| 204 |
-
|
| 205 |
-
return []
|
| 206 |
|
|
|
|
|
|
|
|
|
|
|
|
|
| 207 |
await self._rate_limit()
|
| 208 |
|
| 209 |
-
params = {
|
| 210 |
-
"db": "pubmed",
|
| 211 |
-
"id": ",".join(pmids),
|
| 212 |
-
"retmode": "xml",
|
| 213 |
-
"rettype": "abstract",
|
| 214 |
-
}
|
| 215 |
-
if self.api_key:
|
| 216 |
-
params["api_key"] = self.api_key
|
| 217 |
-
|
| 218 |
async with httpx.AsyncClient(timeout=30.0) as client:
|
| 219 |
-
|
| 220 |
-
|
| 221 |
-
|
| 222 |
-
|
| 223 |
-
|
| 224 |
-
|
| 225 |
-
|
| 226 |
-
articles = data.get("PubmedArticleSet", {}).get("PubmedArticle", [])
|
| 227 |
-
if isinstance(articles, dict):
|
| 228 |
-
articles = [articles]
|
| 229 |
|
| 230 |
-
|
| 231 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 232 |
|
| 233 |
-
|
| 234 |
-
|
| 235 |
|
| 236 |
-
|
| 237 |
-
|
| 238 |
|
| 239 |
-
|
| 240 |
-
|
| 241 |
-
|
| 242 |
-
|
| 243 |
-
|
| 244 |
-
|
| 245 |
-
|
| 246 |
-
# Extract PMID
|
| 247 |
-
pmid = medline.get("PMID", {})
|
| 248 |
-
if isinstance(pmid, dict):
|
| 249 |
-
pmid = pmid.get("#text", "")
|
| 250 |
-
|
| 251 |
-
# Extract title
|
| 252 |
-
title = article_data.get("ArticleTitle", "")
|
| 253 |
-
if isinstance(title, dict):
|
| 254 |
-
title = title.get("#text", str(title))
|
| 255 |
-
|
| 256 |
-
# Extract abstract
|
| 257 |
-
abstract_data = article_data.get("Abstract", {}).get("AbstractText", "")
|
| 258 |
-
if isinstance(abstract_data, list):
|
| 259 |
-
# Handle structured abstracts
|
| 260 |
-
abstract = " ".join(
|
| 261 |
-
item.get("#text", str(item)) if isinstance(item, dict) else str(item)
|
| 262 |
-
for item in abstract_data
|
| 263 |
-
)
|
| 264 |
-
elif isinstance(abstract_data, dict):
|
| 265 |
-
abstract = abstract_data.get("#text", str(abstract_data))
|
| 266 |
-
else:
|
| 267 |
-
abstract = str(abstract_data)
|
| 268 |
-
|
| 269 |
-
# Extract authors
|
| 270 |
-
author_list = article_data.get("AuthorList", {}).get("Author", [])
|
| 271 |
-
if isinstance(author_list, dict):
|
| 272 |
-
author_list = [author_list]
|
| 273 |
-
authors = []
|
| 274 |
-
for author in author_list[:5]: # Limit to 5 authors
|
| 275 |
-
last = author.get("LastName", "")
|
| 276 |
-
first = author.get("ForeName", "")
|
| 277 |
-
if last:
|
| 278 |
-
authors.append(f"{last} {first}".strip())
|
| 279 |
-
|
| 280 |
-
# Extract date
|
| 281 |
-
pub_date = article_data.get("Journal", {}).get("JournalIssue", {}).get("PubDate", {})
|
| 282 |
-
year = pub_date.get("Year", "Unknown")
|
| 283 |
-
month = pub_date.get("Month", "")
|
| 284 |
-
day = pub_date.get("Day", "")
|
| 285 |
-
date_str = f"{year}-{month}-{day}".rstrip("-") if month else year
|
| 286 |
-
|
| 287 |
-
# Build URL
|
| 288 |
-
url = f"https://pubmed.ncbi.nlm.nih.gov/{pmid}/"
|
| 289 |
-
|
| 290 |
-
if not title or not abstract:
|
| 291 |
-
return None
|
| 292 |
-
|
| 293 |
-
return Evidence(
|
| 294 |
-
content=abstract[:2000], # Truncate long abstracts
|
| 295 |
-
citation=Citation(
|
| 296 |
-
source="pubmed",
|
| 297 |
-
title=title[:500],
|
| 298 |
-
url=url,
|
| 299 |
-
date=date_str,
|
| 300 |
-
authors=authors,
|
| 301 |
-
),
|
| 302 |
-
relevance=0.8, # Default high relevance for PubMed results
|
| 303 |
)
|
| 304 |
-
|
| 305 |
-
|
| 306 |
-
return None
|
| 307 |
|
| 308 |
-
|
| 309 |
-
|
| 310 |
-
|
| 311 |
-
|
| 312 |
-
|
| 313 |
-
max_results: Maximum number of results (default 10).
|
| 314 |
|
| 315 |
-
|
| 316 |
-
|
| 317 |
|
| 318 |
-
|
| 319 |
-
|
| 320 |
-
"""
|
| 321 |
try:
|
| 322 |
-
|
| 323 |
-
|
|
|
|
| 324 |
|
| 325 |
-
|
| 326 |
-
logger.info("pubmed_no_results", query=query)
|
| 327 |
-
return []
|
| 328 |
|
| 329 |
-
|
| 330 |
-
|
|
|
|
| 331 |
|
| 332 |
-
|
| 333 |
-
|
| 334 |
-
|
| 335 |
-
|
| 336 |
-
if
|
| 337 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 338 |
|
| 339 |
-
|
| 340 |
-
return
|
| 341 |
|
| 342 |
-
|
| 343 |
-
|
| 344 |
-
|
| 345 |
-
|
| 346 |
-
|
| 347 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 348 |
```
|
| 349 |
|
| 350 |
-
|
| 351 |
-
|
| 352 |
-
### 4.2 DuckDuckGo Tool (`src/tools/websearch.py`)
|
| 353 |
-
|
| 354 |
-
> **DuckDuckGo**: Free web search, no API key required.
|
| 355 |
|
| 356 |
```python
|
| 357 |
"""Web search tool using DuckDuckGo."""
|
| 358 |
from typing import List
|
| 359 |
-
import structlog
|
| 360 |
from duckduckgo_search import DDGS
|
| 361 |
-
|
| 362 |
|
| 363 |
from src.utils.exceptions import SearchError
|
| 364 |
from src.utils.models import Evidence, Citation
|
| 365 |
|
| 366 |
-
logger = structlog.get_logger()
|
| 367 |
-
|
| 368 |
|
| 369 |
class WebTool:
|
| 370 |
"""Search tool for general web search via DuckDuckGo."""
|
| 371 |
|
| 372 |
def __init__(self):
|
| 373 |
-
"""Initialize web search tool."""
|
| 374 |
pass
|
| 375 |
|
| 376 |
@property
|
| 377 |
def name(self) -> str:
|
| 378 |
return "web"
|
| 379 |
|
| 380 |
-
@retry(
|
| 381 |
-
stop=stop_after_attempt(3),
|
| 382 |
-
wait=wait_exponential(multiplier=1, min=1, max=5),
|
| 383 |
-
)
|
| 384 |
-
def _search_sync(self, query: str, max_results: int) -> list[dict]:
|
| 385 |
-
"""Synchronous search wrapper (DDG library is sync).
|
| 386 |
-
|
| 387 |
-
Args:
|
| 388 |
-
query: Search query.
|
| 389 |
-
max_results: Maximum results to return.
|
| 390 |
-
|
| 391 |
-
Returns:
|
| 392 |
-
List of result dictionaries.
|
| 393 |
-
"""
|
| 394 |
-
with DDGS() as ddgs:
|
| 395 |
-
results = list(ddgs.text(
|
| 396 |
-
query,
|
| 397 |
-
max_results=max_results,
|
| 398 |
-
safesearch="moderate",
|
| 399 |
-
))
|
| 400 |
-
return results
|
| 401 |
-
|
| 402 |
async def search(self, query: str, max_results: int = 10) -> List[Evidence]:
|
| 403 |
-
"""
|
| 404 |
-
|
| 405 |
-
Args:
|
| 406 |
-
query: Search query string.
|
| 407 |
-
max_results: Maximum number of results (default 10).
|
| 408 |
-
|
| 409 |
-
Returns:
|
| 410 |
-
List of Evidence objects.
|
| 411 |
|
| 412 |
-
|
| 413 |
-
SearchError: If the search fails after retries.
|
| 414 |
"""
|
|
|
|
| 415 |
try:
|
| 416 |
-
# DuckDuckGo library is synchronous, but we wrap it
|
| 417 |
-
import asyncio
|
| 418 |
-
loop = asyncio.get_event_loop()
|
| 419 |
results = await loop.run_in_executor(
|
| 420 |
None,
|
| 421 |
-
lambda: self.
|
| 422 |
)
|
|
|
|
|
|
|
|
|
|
| 423 |
|
| 424 |
-
|
| 425 |
-
|
| 426 |
-
|
| 427 |
-
url = result.get("href", result.get("link", ""))
|
| 428 |
-
body = result.get("body", result.get("snippet", ""))
|
| 429 |
|
| 430 |
-
|
| 431 |
-
|
| 432 |
|
| 433 |
-
|
| 434 |
-
|
|
|
|
|
|
|
| 435 |
citation=Citation(
|
| 436 |
source="web",
|
| 437 |
-
title=title[:500],
|
| 438 |
-
url=
|
| 439 |
date="Unknown",
|
| 440 |
authors=[],
|
| 441 |
),
|
| 442 |
-
|
| 443 |
-
|
| 444 |
-
|
| 445 |
-
logger.info("web_search_complete", query=query, results=len(evidence))
|
| 446 |
-
return evidence
|
| 447 |
|
| 448 |
-
|
| 449 |
-
raise SearchError(f"Web search failed: {e}")
|
| 450 |
```
|
| 451 |
|
| 452 |
-
|
| 453 |
-
|
| 454 |
-
### 4.3 Search Handler (`src/tools/search_handler.py`)
|
| 455 |
|
| 456 |
```python
|
| 457 |
"""Search handler - orchestrates multiple search tools."""
|
| 458 |
import asyncio
|
| 459 |
-
from typing import List
|
| 460 |
import structlog
|
| 461 |
|
|
|
|
| 462 |
from src.utils.models import Evidence, SearchResult
|
| 463 |
from src.tools import SearchTool
|
| 464 |
|
| 465 |
logger = structlog.get_logger()
|
| 466 |
|
| 467 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 468 |
class SearchHandler:
|
| 469 |
"""Orchestrates parallel searches across multiple tools."""
|
| 470 |
|
| 471 |
-
def __init__(self, tools:
|
| 472 |
-
"""
|
|
|
|
| 473 |
|
| 474 |
Args:
|
| 475 |
-
tools:
|
|
|
|
| 476 |
"""
|
| 477 |
-
self.tools =
|
|
|
|
| 478 |
|
| 479 |
async def execute(self, query: str, max_results_per_tool: int = 10) -> SearchResult:
|
| 480 |
-
"""
|
|
|
|
| 481 |
|
| 482 |
Args:
|
| 483 |
-
query:
|
| 484 |
-
max_results_per_tool: Max results
|
| 485 |
|
| 486 |
Returns:
|
| 487 |
-
SearchResult containing
|
| 488 |
"""
|
| 489 |
-
|
| 490 |
-
all_evidence: list[Evidence] = []
|
| 491 |
-
sources_searched: list[str] = []
|
| 492 |
|
| 493 |
-
#
|
| 494 |
-
|
| 495 |
-
|
| 496 |
-
|
| 497 |
-
|
| 498 |
-
|
| 499 |
-
|
| 500 |
-
|
| 501 |
-
|
| 502 |
-
|
| 503 |
-
|
| 504 |
-
|
| 505 |
-
|
| 506 |
-
|
| 507 |
-
|
| 508 |
-
|
| 509 |
-
|
| 510 |
-
|
| 511 |
-
|
| 512 |
-
|
| 513 |
-
|
| 514 |
-
|
| 515 |
-
all_evidence.sort(key=lambda e: e.relevance, reverse=True)
|
| 516 |
-
|
| 517 |
-
# Deduplicate by URL
|
| 518 |
-
seen_urls: set[str] = set()
|
| 519 |
-
unique_evidence: list[Evidence] = []
|
| 520 |
-
for e in all_evidence:
|
| 521 |
-
if e.citation.url not in seen_urls:
|
| 522 |
-
seen_urls.add(e.citation.url)
|
| 523 |
-
unique_evidence.append(e)
|
| 524 |
-
|
| 525 |
-
logger.info(
|
| 526 |
-
"search_complete",
|
| 527 |
-
query=query,
|
| 528 |
-
total_results=len(unique_evidence),
|
| 529 |
-
sources=sources_searched,
|
| 530 |
-
errors=len(errors),
|
| 531 |
-
)
|
| 532 |
|
| 533 |
return SearchResult(
|
| 534 |
query=query,
|
| 535 |
-
evidence=
|
| 536 |
-
sources_searched=sources_searched,
|
| 537 |
-
total_found=len(
|
| 538 |
errors=errors,
|
| 539 |
)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 540 |
```
|
| 541 |
|
| 542 |
---
|
|
@@ -548,91 +454,105 @@ class SearchHandler:
|
|
| 548 |
```python
|
| 549 |
"""Unit tests for search tools."""
|
| 550 |
import pytest
|
| 551 |
-
from unittest.mock import AsyncMock, MagicMock
|
| 552 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 553 |
|
| 554 |
class TestPubMedTool:
|
| 555 |
"""Tests for PubMedTool."""
|
| 556 |
|
| 557 |
@pytest.mark.asyncio
|
| 558 |
async def test_search_returns_evidence(self, mocker):
|
| 559 |
-
"""PubMedTool
|
| 560 |
from src.tools.pubmed import PubMedTool
|
| 561 |
-
from src.utils.models import Evidence
|
| 562 |
|
| 563 |
-
# Mock the
|
| 564 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
| 565 |
|
| 566 |
-
|
| 567 |
-
|
| 568 |
-
|
| 569 |
-
)
|
| 570 |
-
mocker.patch.object(
|
| 571 |
-
tool, "_efetch",
|
| 572 |
-
new=AsyncMock(return_value=[{
|
| 573 |
-
"MedlineCitation": {
|
| 574 |
-
"PMID": {"#text": "12345678"},
|
| 575 |
-
"Article": {
|
| 576 |
-
"ArticleTitle": "Test Article",
|
| 577 |
-
"Abstract": {"AbstractText": "Test abstract content."},
|
| 578 |
-
"AuthorList": {"Author": [{"LastName": "Smith", "ForeName": "John"}]},
|
| 579 |
-
"Journal": {"JournalIssue": {"PubDate": {"Year": "2024"}}}
|
| 580 |
-
}
|
| 581 |
-
}
|
| 582 |
-
}])
|
| 583 |
-
)
|
| 584 |
|
| 585 |
-
|
|
|
|
|
|
|
|
|
|
| 586 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 587 |
assert len(results) == 1
|
| 588 |
-
assert isinstance(results[0], Evidence)
|
| 589 |
assert results[0].citation.source == "pubmed"
|
|
|
|
| 590 |
assert "12345678" in results[0].citation.url
|
| 591 |
|
| 592 |
@pytest.mark.asyncio
|
| 593 |
-
async def
|
| 594 |
-
"""PubMedTool should
|
| 595 |
from src.tools.pubmed import PubMedTool
|
| 596 |
|
| 597 |
-
|
| 598 |
-
|
|
|
|
| 599 |
|
| 600 |
-
|
| 601 |
-
|
|
|
|
|
|
|
| 602 |
|
| 603 |
-
|
| 604 |
-
async def test_rate_limiting(self, mocker):
|
| 605 |
-
"""PubMedTool should respect rate limits."""
|
| 606 |
-
from src.tools.pubmed import PubMedTool
|
| 607 |
-
import asyncio
|
| 608 |
|
| 609 |
tool = PubMedTool()
|
| 610 |
-
|
| 611 |
-
|
| 612 |
-
# Mock sleep to verify it's called
|
| 613 |
-
sleep_mock = mocker.patch("asyncio.sleep", new=AsyncMock())
|
| 614 |
-
|
| 615 |
-
await tool._rate_limit()
|
| 616 |
-
|
| 617 |
-
# Should have slept to respect rate limit
|
| 618 |
-
sleep_mock.assert_called()
|
| 619 |
|
|
|
|
| 620 |
|
| 621 |
class TestWebTool:
|
| 622 |
"""Tests for WebTool."""
|
| 623 |
|
| 624 |
@pytest.mark.asyncio
|
| 625 |
async def test_search_returns_evidence(self, mocker):
|
| 626 |
-
"""WebTool.search should return Evidence objects."""
|
| 627 |
from src.tools.websearch import WebTool
|
| 628 |
-
from src.utils.models import Evidence
|
| 629 |
|
| 630 |
-
mock_results = [
|
| 631 |
-
|
| 632 |
-
{"title": "Another Result", "href": "https://example2.com", "body": "More content"},
|
| 633 |
-
]
|
| 634 |
-
|
| 635 |
-
# Mock the DDGS context manager
|
| 636 |
mock_ddgs = MagicMock()
|
| 637 |
mock_ddgs.__enter__ = MagicMock(return_value=mock_ddgs)
|
| 638 |
mock_ddgs.__exit__ = MagicMock(return_value=None)
|
|
@@ -641,179 +561,55 @@ class TestWebTool:
|
|
| 641 |
mocker.patch("src.tools.websearch.DDGS", return_value=mock_ddgs)
|
| 642 |
|
| 643 |
tool = WebTool()
|
| 644 |
-
results = await tool.search("
|
| 645 |
-
|
| 646 |
-
assert len(results) == 2
|
| 647 |
-
assert all(isinstance(r, Evidence) for r in results)
|
| 648 |
assert results[0].citation.source == "web"
|
| 649 |
|
| 650 |
-
@pytest.mark.asyncio
|
| 651 |
-
async def test_search_handles_errors(self, mocker):
|
| 652 |
-
"""WebTool should raise SearchError on failure."""
|
| 653 |
-
from src.tools.websearch import WebTool
|
| 654 |
-
from src.utils.exceptions import SearchError
|
| 655 |
-
|
| 656 |
-
mock_ddgs = MagicMock()
|
| 657 |
-
mock_ddgs.__enter__ = MagicMock(side_effect=Exception("API error"))
|
| 658 |
-
mocker.patch("src.tools.websearch.DDGS", return_value=mock_ddgs)
|
| 659 |
-
|
| 660 |
-
tool = WebTool()
|
| 661 |
-
|
| 662 |
-
with pytest.raises(SearchError):
|
| 663 |
-
await tool.search("test query")
|
| 664 |
-
|
| 665 |
-
|
| 666 |
class TestSearchHandler:
|
| 667 |
"""Tests for SearchHandler."""
|
| 668 |
|
| 669 |
@pytest.mark.asyncio
|
| 670 |
-
async def
|
| 671 |
-
"""SearchHandler should
|
| 672 |
from src.tools.search_handler import SearchHandler
|
| 673 |
-
from src.utils.models import Evidence, Citation
|
| 674 |
|
| 675 |
# Create mock tools
|
| 676 |
-
|
| 677 |
-
|
| 678 |
-
|
| 679 |
Evidence(
|
| 680 |
-
content="
|
| 681 |
-
citation=Citation(
|
| 682 |
-
source="pubmed", title="PM Article",
|
| 683 |
-
url="https://pubmed.ncbi.nlm.nih.gov/1/", date="2024"
|
| 684 |
-
),
|
| 685 |
-
relevance=0.9
|
| 686 |
)
|
| 687 |
])
|
| 688 |
|
| 689 |
-
|
| 690 |
-
|
| 691 |
-
|
| 692 |
Evidence(
|
| 693 |
-
content="
|
| 694 |
-
citation=Citation(
|
| 695 |
-
source="web", title="Web Article",
|
| 696 |
-
url="https://example.com", date="Unknown"
|
| 697 |
-
),
|
| 698 |
-
relevance=0.7
|
| 699 |
)
|
| 700 |
])
|
| 701 |
|
| 702 |
-
handler = SearchHandler([
|
| 703 |
result = await handler.execute("test query")
|
| 704 |
|
| 705 |
-
assert isinstance(result, SearchResult)
|
| 706 |
-
assert len(result.evidence) == 2
|
| 707 |
assert result.total_found == 2
|
| 708 |
-
assert "
|
| 709 |
-
assert "
|
| 710 |
-
|
| 711 |
-
@pytest.mark.asyncio
|
| 712 |
-
async def test_execute_handles_partial_failures(self, mocker):
|
| 713 |
-
"""SearchHandler should continue if one tool fails."""
|
| 714 |
-
from src.tools.search_handler import SearchHandler
|
| 715 |
-
from src.utils.models import Evidence, Citation
|
| 716 |
-
from src.utils.exceptions import SearchError
|
| 717 |
-
|
| 718 |
-
# One tool succeeds, one fails
|
| 719 |
-
mock_pubmed = MagicMock()
|
| 720 |
-
mock_pubmed.name = "pubmed"
|
| 721 |
-
mock_pubmed.search = AsyncMock(side_effect=SearchError("PubMed down"))
|
| 722 |
-
|
| 723 |
-
mock_web = MagicMock()
|
| 724 |
-
mock_web.name = "web"
|
| 725 |
-
mock_web.search = AsyncMock(return_value=[
|
| 726 |
-
Evidence(
|
| 727 |
-
content="Web result",
|
| 728 |
-
citation=Citation(
|
| 729 |
-
source="web", title="Web Article",
|
| 730 |
-
url="https://example.com", date="Unknown"
|
| 731 |
-
),
|
| 732 |
-
relevance=0.7
|
| 733 |
-
)
|
| 734 |
-
])
|
| 735 |
-
|
| 736 |
-
handler = SearchHandler([mock_pubmed, mock_web])
|
| 737 |
-
result = await handler.execute("test query")
|
| 738 |
-
|
| 739 |
-
# Should still get web results
|
| 740 |
-
assert len(result.evidence) == 1
|
| 741 |
-
assert len(result.errors) == 1
|
| 742 |
-
assert "pubmed" in result.errors[0].lower()
|
| 743 |
-
|
| 744 |
-
@pytest.mark.asyncio
|
| 745 |
-
async def test_execute_deduplicates_by_url(self, mocker):
|
| 746 |
-
"""SearchHandler should deduplicate results by URL."""
|
| 747 |
-
from src.tools.search_handler import SearchHandler
|
| 748 |
-
from src.utils.models import Evidence, Citation
|
| 749 |
-
|
| 750 |
-
# Both tools return same URL
|
| 751 |
-
evidence = Evidence(
|
| 752 |
-
content="Same content",
|
| 753 |
-
citation=Citation(
|
| 754 |
-
source="pubmed", title="Article",
|
| 755 |
-
url="https://example.com/same", date="2024"
|
| 756 |
-
),
|
| 757 |
-
relevance=0.8
|
| 758 |
-
)
|
| 759 |
-
|
| 760 |
-
mock_tool1 = MagicMock()
|
| 761 |
-
mock_tool1.name = "tool1"
|
| 762 |
-
mock_tool1.search = AsyncMock(return_value=[evidence])
|
| 763 |
-
|
| 764 |
-
mock_tool2 = MagicMock()
|
| 765 |
-
mock_tool2.name = "tool2"
|
| 766 |
-
mock_tool2.search = AsyncMock(return_value=[evidence])
|
| 767 |
-
|
| 768 |
-
handler = SearchHandler([mock_tool1, mock_tool2])
|
| 769 |
-
result = await handler.execute("test query")
|
| 770 |
-
|
| 771 |
-
# Should deduplicate
|
| 772 |
-
assert len(result.evidence) == 1
|
| 773 |
```
|
| 774 |
|
| 775 |
---
|
| 776 |
|
| 777 |
## 6. Implementation Checklist
|
| 778 |
|
| 779 |
-
- [ ] Add models to `src/utils/models.py`
|
| 780 |
-
- [ ] Create `src/tools/__init__.py` (
|
| 781 |
-
- [ ] Implement `src/tools/pubmed.py`
|
| 782 |
-
- [ ] Implement `src/tools/websearch.py`
|
| 783 |
-
- [ ] Implement `src/tools/search_handler.py`
|
| 784 |
- [ ] Write tests in `tests/unit/tools/test_search.py`
|
| 785 |
-
- [ ] Run `uv run pytest tests/unit/tools
|
| 786 |
-
- [ ] Run `uv run ruff check src/tools` β **NO ERRORS**
|
| 787 |
-
- [ ] Run `uv run mypy src/tools` β **NO ERRORS**
|
| 788 |
-
- [ ] Commit: `git commit -m "feat: phase 2 search slice complete"`
|
| 789 |
-
|
| 790 |
-
---
|
| 791 |
-
|
| 792 |
-
## 7. Definition of Done
|
| 793 |
-
|
| 794 |
-
Phase 2 is **COMPLETE** when:
|
| 795 |
-
|
| 796 |
-
1. β
All unit tests in `tests/unit/tools/` pass
|
| 797 |
-
2. β
`SearchHandler` returns combined results when both tools succeed
|
| 798 |
-
3. β
Graceful degradation: if PubMed fails, WebTool results still return
|
| 799 |
-
4. β
Rate limiting is enforced (no 429 errors in integration tests)
|
| 800 |
-
5. β
Ruff and mypy pass with no errors
|
| 801 |
-
6. β
Manual REPL sanity check works:
|
| 802 |
-
|
| 803 |
-
```python
|
| 804 |
-
import asyncio
|
| 805 |
-
from src.tools.pubmed import PubMedTool
|
| 806 |
-
from src.tools.websearch import WebTool
|
| 807 |
-
from src.tools.search_handler import SearchHandler
|
| 808 |
-
|
| 809 |
-
async def test():
|
| 810 |
-
handler = SearchHandler([PubMedTool(), WebTool()])
|
| 811 |
-
result = await handler.execute("metformin alzheimer")
|
| 812 |
-
print(f"Found {result.total_found} results")
|
| 813 |
-
for e in result.evidence[:3]:
|
| 814 |
-
print(f"- {e.citation.title}")
|
| 815 |
-
|
| 816 |
-
asyncio.run(test())
|
| 817 |
-
```
|
| 818 |
-
|
| 819 |
-
**Proceed to Phase 3 ONLY after all checkboxes are complete.**
|
|
|
|
| 19 |
|
| 20 |
**Files**:
|
| 21 |
- `src/utils/models.py`: Data models
|
|
|
|
| 22 |
- `src/tools/pubmed.py`: PubMed implementation
|
| 23 |
- `src/tools/websearch.py`: DuckDuckGo implementation
|
| 24 |
- `src/tools/search_handler.py`: Orchestration
|
|
|
|
| 31 |
|
| 32 |
```python
|
| 33 |
"""Data models for DeepCritical."""
|
| 34 |
+
from pydantic import BaseModel, Field, HttpUrl
|
| 35 |
+
from typing import Literal, List, Any
|
| 36 |
+
from datetime import date
|
| 37 |
|
| 38 |
|
| 39 |
class Citation(BaseModel):
|
|
|
|
| 102 |
|
| 103 |
## 4. Implementations
|
| 104 |
|
| 105 |
+
### PubMed Tool (`src/tools/pubmed.py`)
|
|
|
|
|
|
|
|
|
|
|
|
|
| 106 |
|
| 107 |
```python
|
| 108 |
"""PubMed search tool using NCBI E-utilities."""
|
| 109 |
import asyncio
|
| 110 |
import httpx
|
| 111 |
import xmltodict
|
| 112 |
+
from typing import List
|
| 113 |
+
from tenacity import retry, stop_after_attempt, wait_exponential
|
|
|
|
| 114 |
|
| 115 |
from src.utils.exceptions import SearchError, RateLimitError
|
| 116 |
from src.utils.models import Evidence, Citation
|
| 117 |
|
|
|
|
|
|
|
| 118 |
|
| 119 |
class PubMedTool:
|
| 120 |
"""Search tool for PubMed/NCBI."""
|
|
|
|
| 123 |
RATE_LIMIT_DELAY = 0.34 # ~3 requests/sec without API key
|
| 124 |
|
| 125 |
def __init__(self, api_key: str | None = None):
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 126 |
self.api_key = api_key
|
| 127 |
self._last_request_time = 0.0
|
| 128 |
|
|
|
|
| 138 |
await asyncio.sleep(self.RATE_LIMIT_DELAY - elapsed)
|
| 139 |
self._last_request_time = asyncio.get_event_loop().time()
|
| 140 |
|
| 141 |
+
def _build_params(self, **kwargs) -> dict:
|
| 142 |
+
"""Build request params with optional API key."""
|
| 143 |
+
params = {**kwargs, "retmode": "json"}
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 144 |
if self.api_key:
|
| 145 |
params["api_key"] = self.api_key
|
| 146 |
+
return params
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 147 |
|
| 148 |
@retry(
|
| 149 |
stop=stop_after_attempt(3),
|
| 150 |
+
wait=wait_exponential(multiplier=1, min=1, max=10),
|
| 151 |
+
reraise=True,
|
| 152 |
)
|
| 153 |
+
async def search(self, query: str, max_results: int = 10) -> List[Evidence]:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 154 |
"""
|
| 155 |
+
Search PubMed and return evidence.
|
|
|
|
| 156 |
|
| 157 |
+
1. ESearch: Get PMIDs matching query
|
| 158 |
+
2. EFetch: Get abstracts for those PMIDs
|
| 159 |
+
3. Parse and return Evidence objects
|
| 160 |
+
"""
|
| 161 |
await self._rate_limit()
|
| 162 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 163 |
async with httpx.AsyncClient(timeout=30.0) as client:
|
| 164 |
+
# Step 1: Search for PMIDs
|
| 165 |
+
search_params = self._build_params(
|
| 166 |
+
db="pubmed",
|
| 167 |
+
term=query,
|
| 168 |
+
retmax=max_results,
|
| 169 |
+
sort="relevance",
|
| 170 |
+
)
|
|
|
|
|
|
|
|
|
|
| 171 |
|
| 172 |
+
try:
|
| 173 |
+
search_resp = await client.get(
|
| 174 |
+
f"{self.BASE_URL}/esearch.fcgi",
|
| 175 |
+
params=search_params,
|
| 176 |
+
)
|
| 177 |
+
search_resp.raise_for_status()
|
| 178 |
+
except httpx.HTTPStatusError as e:
|
| 179 |
+
if e.response.status_code == 429:
|
| 180 |
+
raise RateLimitError("PubMed rate limit exceeded")
|
| 181 |
+
raise SearchError(f"PubMed search failed: {e}")
|
| 182 |
|
| 183 |
+
search_data = search_resp.json()
|
| 184 |
+
pmids = search_data.get("esearchresult", {}).get("idlist", [])
|
| 185 |
|
| 186 |
+
if not pmids:
|
| 187 |
+
return []
|
| 188 |
|
| 189 |
+
# Step 2: Fetch abstracts
|
| 190 |
+
await self._rate_limit()
|
| 191 |
+
fetch_params = self._build_params(
|
| 192 |
+
db="pubmed",
|
| 193 |
+
id=",".join(pmids),
|
| 194 |
+
rettype="abstract",
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 195 |
)
|
| 196 |
+
# Use XML for fetch (more reliable parsing)
|
| 197 |
+
fetch_params["retmode"] = "xml"
|
|
|
|
| 198 |
|
| 199 |
+
fetch_resp = await client.get(
|
| 200 |
+
f"{self.BASE_URL}/efetch.fcgi",
|
| 201 |
+
params=fetch_params,
|
| 202 |
+
)
|
| 203 |
+
fetch_resp.raise_for_status()
|
|
|
|
| 204 |
|
| 205 |
+
# Step 3: Parse XML to Evidence
|
| 206 |
+
return self._parse_pubmed_xml(fetch_resp.text)
|
| 207 |
|
| 208 |
+
def _parse_pubmed_xml(self, xml_text: str) -> List[Evidence]:
|
| 209 |
+
"""Parse PubMed XML into Evidence objects."""
|
|
|
|
| 210 |
try:
|
| 211 |
+
data = xmltodict.parse(xml_text)
|
| 212 |
+
except Exception as e:
|
| 213 |
+
raise SearchError(f"Failed to parse PubMed XML: {e}")
|
| 214 |
|
| 215 |
+
articles = data.get("PubmedArticleSet", {}).get("PubmedArticle", [])
|
|
|
|
|
|
|
| 216 |
|
| 217 |
+
# Handle single article (xmltodict returns dict instead of list)
|
| 218 |
+
if isinstance(articles, dict):
|
| 219 |
+
articles = [articles]
|
| 220 |
|
| 221 |
+
evidence_list = []
|
| 222 |
+
for article in articles:
|
| 223 |
+
try:
|
| 224 |
+
evidence = self._article_to_evidence(article)
|
| 225 |
+
if evidence:
|
| 226 |
+
evidence_list.append(evidence)
|
| 227 |
+
except Exception:
|
| 228 |
+
continue # Skip malformed articles
|
| 229 |
+
|
| 230 |
+
return evidence_list
|
| 231 |
+
|
| 232 |
+
def _article_to_evidence(self, article: dict) -> Evidence | None:
|
| 233 |
+
"""Convert a single PubMed article to Evidence."""
|
| 234 |
+
medline = article.get("MedlineCitation", {})
|
| 235 |
+
article_data = medline.get("Article", {})
|
| 236 |
+
|
| 237 |
+
# Extract PMID
|
| 238 |
+
pmid = medline.get("PMID", {})
|
| 239 |
+
if isinstance(pmid, dict):
|
| 240 |
+
pmid = pmid.get("#text", "")
|
| 241 |
+
|
| 242 |
+
# Extract title
|
| 243 |
+
title = article_data.get("ArticleTitle", "")
|
| 244 |
+
if isinstance(title, dict):
|
| 245 |
+
title = title.get("#text", str(title))
|
| 246 |
+
|
| 247 |
+
# Extract abstract
|
| 248 |
+
abstract_data = article_data.get("Abstract", {}).get("AbstractText", "")
|
| 249 |
+
if isinstance(abstract_data, list):
|
| 250 |
+
abstract = " ".join(
|
| 251 |
+
item.get("#text", str(item)) if isinstance(item, dict) else str(item)
|
| 252 |
+
for item in abstract_data
|
| 253 |
+
)
|
| 254 |
+
elif isinstance(abstract_data, dict):
|
| 255 |
+
abstract = abstract_data.get("#text", str(abstract_data))
|
| 256 |
+
else:
|
| 257 |
+
abstract = str(abstract_data)
|
| 258 |
|
| 259 |
+
if not abstract or not title:
|
| 260 |
+
return None
|
| 261 |
|
| 262 |
+
# Extract date
|
| 263 |
+
pub_date = article_data.get("Journal", {}).get("JournalIssue", {}).get("PubDate", {})
|
| 264 |
+
year = pub_date.get("Year", "Unknown")
|
| 265 |
+
month = pub_date.get("Month", "01")
|
| 266 |
+
day = pub_date.get("Day", "01")
|
| 267 |
+
date_str = f"{year}-{month}-{day}" if year != "Unknown" else "Unknown"
|
| 268 |
+
|
| 269 |
+
# Extract authors
|
| 270 |
+
author_list = article_data.get("AuthorList", {}).get("Author", [])
|
| 271 |
+
if isinstance(author_list, dict):
|
| 272 |
+
author_list = [author_list]
|
| 273 |
+
authors = []
|
| 274 |
+
for author in author_list[:5]: # Limit to 5 authors
|
| 275 |
+
last = author.get("LastName", "")
|
| 276 |
+
first = author.get("ForeName", "")
|
| 277 |
+
if last:
|
| 278 |
+
authors.append(f"{last} {first}".strip())
|
| 279 |
+
|
| 280 |
+
return Evidence(
|
| 281 |
+
content=abstract[:2000], # Truncate long abstracts
|
| 282 |
+
citation=Citation(
|
| 283 |
+
source="pubmed",
|
| 284 |
+
title=title[:500],
|
| 285 |
+
url=f"https://pubmed.ncbi.nlm.nih.gov/{pmid}/",
|
| 286 |
+
date=date_str,
|
| 287 |
+
authors=authors,
|
| 288 |
+
),
|
| 289 |
+
)
|
| 290 |
```
|
| 291 |
|
| 292 |
+
### DuckDuckGo Tool (`src/tools/websearch.py`)
|
|
|
|
|
|
|
|
|
|
|
|
|
| 293 |
|
| 294 |
```python
|
| 295 |
"""Web search tool using DuckDuckGo."""
|
| 296 |
from typing import List
|
|
|
|
| 297 |
from duckduckgo_search import DDGS
|
| 298 |
+
import asyncio
|
| 299 |
|
| 300 |
from src.utils.exceptions import SearchError
|
| 301 |
from src.utils.models import Evidence, Citation
|
| 302 |
|
|
|
|
|
|
|
| 303 |
|
| 304 |
class WebTool:
|
| 305 |
"""Search tool for general web search via DuckDuckGo."""
|
| 306 |
|
| 307 |
def __init__(self):
|
|
|
|
| 308 |
pass
|
| 309 |
|
| 310 |
@property
|
| 311 |
def name(self) -> str:
|
| 312 |
return "web"
|
| 313 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 314 |
async def search(self, query: str, max_results: int = 10) -> List[Evidence]:
|
| 315 |
+
"""
|
| 316 |
+
Search DuckDuckGo and return evidence.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 317 |
|
| 318 |
+
Note: duckduckgo-search is synchronous, so we run it in executor.
|
|
|
|
| 319 |
"""
|
| 320 |
+
loop = asyncio.get_event_loop()
|
| 321 |
try:
|
|
|
|
|
|
|
|
|
|
| 322 |
results = await loop.run_in_executor(
|
| 323 |
None,
|
| 324 |
+
lambda: self._sync_search(query, max_results),
|
| 325 |
)
|
| 326 |
+
return results
|
| 327 |
+
except Exception as e:
|
| 328 |
+
raise SearchError(f"Web search failed: {e}")
|
| 329 |
|
| 330 |
+
def _sync_search(self, query: str, max_results: int) -> List[Evidence]:
|
| 331 |
+
"""Synchronous search implementation."""
|
| 332 |
+
evidence_list = []
|
|
|
|
|
|
|
| 333 |
|
| 334 |
+
with DDGS() as ddgs:
|
| 335 |
+
results = list(ddgs.text(query, max_results=max_results))
|
| 336 |
|
| 337 |
+
for result in results:
|
| 338 |
+
evidence_list.append(
|
| 339 |
+
Evidence(
|
| 340 |
+
content=result.get("body", "")[:1000],
|
| 341 |
citation=Citation(
|
| 342 |
source="web",
|
| 343 |
+
title=result.get("title", "Unknown")[:500],
|
| 344 |
+
url=result.get("href", ""),
|
| 345 |
date="Unknown",
|
| 346 |
authors=[],
|
| 347 |
),
|
| 348 |
+
)
|
| 349 |
+
)
|
|
|
|
|
|
|
|
|
|
| 350 |
|
| 351 |
+
return evidence_list
|
|
|
|
| 352 |
```
|
| 353 |
|
| 354 |
+
### Search Handler (`src/tools/search_handler.py`)
|
|
|
|
|
|
|
| 355 |
|
| 356 |
```python
|
| 357 |
"""Search handler - orchestrates multiple search tools."""
|
| 358 |
import asyncio
|
| 359 |
+
from typing import List
|
| 360 |
import structlog
|
| 361 |
|
| 362 |
+
from src.utils.exceptions import SearchError
|
| 363 |
from src.utils.models import Evidence, SearchResult
|
| 364 |
from src.tools import SearchTool
|
| 365 |
|
| 366 |
logger = structlog.get_logger()
|
| 367 |
|
| 368 |
|
| 369 |
+
def flatten(nested: List[List[Evidence]]) -> List[Evidence]:
|
| 370 |
+
"""Flatten a list of lists into a single list."""
|
| 371 |
+
return [item for sublist in nested for item in sublist]
|
| 372 |
+
|
| 373 |
+
|
| 374 |
class SearchHandler:
|
| 375 |
"""Orchestrates parallel searches across multiple tools."""
|
| 376 |
|
| 377 |
+
def __init__(self, tools: List[SearchTool], timeout: float = 30.0):
|
| 378 |
+
"""
|
| 379 |
+
Initialize the search handler.
|
| 380 |
|
| 381 |
Args:
|
| 382 |
+
tools: List of search tools to use
|
| 383 |
+
timeout: Timeout for each search in seconds
|
| 384 |
"""
|
| 385 |
+
self.tools = tools
|
| 386 |
+
self.timeout = timeout
|
| 387 |
|
| 388 |
async def execute(self, query: str, max_results_per_tool: int = 10) -> SearchResult:
|
| 389 |
+
"""
|
| 390 |
+
Execute search across all tools in parallel.
|
| 391 |
|
| 392 |
Args:
|
| 393 |
+
query: The search query
|
| 394 |
+
max_results_per_tool: Max results from each tool
|
| 395 |
|
| 396 |
Returns:
|
| 397 |
+
SearchResult containing all evidence and metadata
|
| 398 |
"""
|
| 399 |
+
logger.info("Starting search", query=query, tools=[t.name for t in self.tools])
|
|
|
|
|
|
|
| 400 |
|
| 401 |
+
# Create tasks for parallel execution
|
| 402 |
+
tasks = [
|
| 403 |
+
self._search_with_timeout(tool, query, max_results_per_tool)
|
| 404 |
+
for tool in self.tools
|
| 405 |
+
]
|
| 406 |
+
|
| 407 |
+
# Gather results (don't fail if one tool fails)
|
| 408 |
+
results = await asyncio.gather(*tasks, return_exceptions=True)
|
| 409 |
+
|
| 410 |
+
# Process results
|
| 411 |
+
all_evidence: List[Evidence] = []
|
| 412 |
+
sources_searched: List[str] = []
|
| 413 |
+
errors: List[str] = []
|
| 414 |
+
|
| 415 |
+
for tool, result in zip(self.tools, results):
|
| 416 |
+
if isinstance(result, Exception):
|
| 417 |
+
errors.append(f"{tool.name}: {str(result)}")
|
| 418 |
+
logger.warning("Search tool failed", tool=tool.name, error=str(result))
|
| 419 |
+
else:
|
| 420 |
+
all_evidence.extend(result)
|
| 421 |
+
sources_searched.append(tool.name)
|
| 422 |
+
logger.info("Search tool succeeded", tool=tool.name, count=len(result))
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 423 |
|
| 424 |
return SearchResult(
|
| 425 |
query=query,
|
| 426 |
+
evidence=all_evidence,
|
| 427 |
+
sources_searched=sources_searched,
|
| 428 |
+
total_found=len(all_evidence),
|
| 429 |
errors=errors,
|
| 430 |
)
|
| 431 |
+
|
| 432 |
+
async def _search_with_timeout(
|
| 433 |
+
self,
|
| 434 |
+
tool: SearchTool,
|
| 435 |
+
query: str,
|
| 436 |
+
max_results: int,
|
| 437 |
+
) -> List[Evidence]:
|
| 438 |
+
"""Execute a single tool search with timeout."""
|
| 439 |
+
try:
|
| 440 |
+
return await asyncio.wait_for(
|
| 441 |
+
tool.search(query, max_results),
|
| 442 |
+
timeout=self.timeout,
|
| 443 |
+
)
|
| 444 |
+
except asyncio.TimeoutError:
|
| 445 |
+
raise SearchError(f"{tool.name} search timed out after {self.timeout}s")
|
| 446 |
```
|
| 447 |
|
| 448 |
---
|
|
|
|
| 454 |
```python
|
| 455 |
"""Unit tests for search tools."""
|
| 456 |
import pytest
|
| 457 |
+
from unittest.mock import AsyncMock, MagicMock
|
| 458 |
+
|
| 459 |
+
# Sample PubMed XML response for mocking
|
| 460 |
+
SAMPLE_PUBMED_XML = """<?xml version="1.0" ?>
|
| 461 |
+
<PubmedArticleSet>
|
| 462 |
+
<PubmedArticle>
|
| 463 |
+
<MedlineCitation>
|
| 464 |
+
<PMID>12345678</PMID>
|
| 465 |
+
<Article>
|
| 466 |
+
<ArticleTitle>Metformin in Alzheimer's Disease: A Systematic Review</ArticleTitle>
|
| 467 |
+
<Abstract>
|
| 468 |
+
<AbstractText>Metformin shows neuroprotective properties...</AbstractText>
|
| 469 |
+
</Abstract>
|
| 470 |
+
<AuthorList>
|
| 471 |
+
<Author>
|
| 472 |
+
<LastName>Smith</LastName>
|
| 473 |
+
<ForeName>John</ForeName>
|
| 474 |
+
</Author>
|
| 475 |
+
</AuthorList>
|
| 476 |
+
<Journal>
|
| 477 |
+
<JournalIssue>
|
| 478 |
+
<PubDate>
|
| 479 |
+
<Year>2024</Year>
|
| 480 |
+
<Month>01</Month>
|
| 481 |
+
</PubDate>
|
| 482 |
+
</JournalIssue>
|
| 483 |
+
</Journal>
|
| 484 |
+
</Article>
|
| 485 |
+
</MedlineCitation>
|
| 486 |
+
</PubmedArticle>
|
| 487 |
+
</PubmedArticleSet>
|
| 488 |
+
"""
|
| 489 |
|
| 490 |
class TestPubMedTool:
|
| 491 |
"""Tests for PubMedTool."""
|
| 492 |
|
| 493 |
@pytest.mark.asyncio
|
| 494 |
async def test_search_returns_evidence(self, mocker):
|
| 495 |
+
"""PubMedTool should return Evidence objects from search."""
|
| 496 |
from src.tools.pubmed import PubMedTool
|
|
|
|
| 497 |
|
| 498 |
+
# Mock the HTTP responses
|
| 499 |
+
mock_search_response = MagicMock()
|
| 500 |
+
mock_search_response.json.return_value = {
|
| 501 |
+
"esearchresult": {"idlist": ["12345678"]}
|
| 502 |
+
}
|
| 503 |
+
mock_search_response.raise_for_status = MagicMock()
|
| 504 |
|
| 505 |
+
mock_fetch_response = MagicMock()
|
| 506 |
+
mock_fetch_response.text = SAMPLE_PUBMED_XML
|
| 507 |
+
mock_fetch_response.raise_for_status = MagicMock()
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 508 |
|
| 509 |
+
mock_client = AsyncMock()
|
| 510 |
+
mock_client.get = AsyncMock(side_effect=[mock_search_response, mock_fetch_response])
|
| 511 |
+
mock_client.__aenter__ = AsyncMock(return_value=mock_client)
|
| 512 |
+
mock_client.__aexit__ = AsyncMock(return_value=None)
|
| 513 |
|
| 514 |
+
mocker.patch("httpx.AsyncClient", return_value=mock_client)
|
| 515 |
+
|
| 516 |
+
# Act
|
| 517 |
+
tool = PubMedTool()
|
| 518 |
+
results = await tool.search("metformin alzheimer")
|
| 519 |
+
|
| 520 |
+
# Assert
|
| 521 |
assert len(results) == 1
|
|
|
|
| 522 |
assert results[0].citation.source == "pubmed"
|
| 523 |
+
assert "Metformin" in results[0].citation.title
|
| 524 |
assert "12345678" in results[0].citation.url
|
| 525 |
|
| 526 |
@pytest.mark.asyncio
|
| 527 |
+
async def test_search_empty_results(self, mocker):
|
| 528 |
+
"""PubMedTool should return empty list when no results."""
|
| 529 |
from src.tools.pubmed import PubMedTool
|
| 530 |
|
| 531 |
+
mock_response = MagicMock()
|
| 532 |
+
mock_response.json.return_value = {"esearchresult": {"idlist": []}}
|
| 533 |
+
mock_response.raise_for_status = MagicMock()
|
| 534 |
|
| 535 |
+
mock_client = AsyncMock()
|
| 536 |
+
mock_client.get = AsyncMock(return_value=mock_response)
|
| 537 |
+
mock_client.__aenter__ = AsyncMock(return_value=mock_client)
|
| 538 |
+
mock_client.__aexit__ = AsyncMock(return_value=None)
|
| 539 |
|
| 540 |
+
mocker.patch("httpx.AsyncClient", return_value=mock_client)
|
|
|
|
|
|
|
|
|
|
|
|
|
| 541 |
|
| 542 |
tool = PubMedTool()
|
| 543 |
+
results = await tool.search("xyznonexistentquery123")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 544 |
|
| 545 |
+
assert results == []
|
| 546 |
|
| 547 |
class TestWebTool:
|
| 548 |
"""Tests for WebTool."""
|
| 549 |
|
| 550 |
@pytest.mark.asyncio
|
| 551 |
async def test_search_returns_evidence(self, mocker):
|
|
|
|
| 552 |
from src.tools.websearch import WebTool
|
|
|
|
| 553 |
|
| 554 |
+
mock_results = [{"title": "Test", "href": "url", "body": "content"}]
|
| 555 |
+
|
|
|
|
|
|
|
|
|
|
|
|
|
| 556 |
mock_ddgs = MagicMock()
|
| 557 |
mock_ddgs.__enter__ = MagicMock(return_value=mock_ddgs)
|
| 558 |
mock_ddgs.__exit__ = MagicMock(return_value=None)
|
|
|
|
| 561 |
mocker.patch("src.tools.websearch.DDGS", return_value=mock_ddgs)
|
| 562 |
|
| 563 |
tool = WebTool()
|
| 564 |
+
results = await tool.search("query")
|
| 565 |
+
assert len(results) == 1
|
|
|
|
|
|
|
| 566 |
assert results[0].citation.source == "web"
|
| 567 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 568 |
class TestSearchHandler:
|
| 569 |
"""Tests for SearchHandler."""
|
| 570 |
|
| 571 |
@pytest.mark.asyncio
|
| 572 |
+
async def test_execute_aggregates_results(self, mocker):
|
| 573 |
+
"""SearchHandler should aggregate results from all tools."""
|
| 574 |
from src.tools.search_handler import SearchHandler
|
| 575 |
+
from src.utils.models import Evidence, Citation
|
| 576 |
|
| 577 |
# Create mock tools
|
| 578 |
+
mock_tool_1 = AsyncMock()
|
| 579 |
+
mock_tool_1.name = "mock1"
|
| 580 |
+
mock_tool_1.search = AsyncMock(return_value=[
|
| 581 |
Evidence(
|
| 582 |
+
content="Result 1",
|
| 583 |
+
citation=Citation(source="pubmed", title="T1", url="u1", date="2024"),
|
|
|
|
|
|
|
|
|
|
|
|
|
| 584 |
)
|
| 585 |
])
|
| 586 |
|
| 587 |
+
mock_tool_2 = AsyncMock()
|
| 588 |
+
mock_tool_2.name = "mock2"
|
| 589 |
+
mock_tool_2.search = AsyncMock(return_value=[
|
| 590 |
Evidence(
|
| 591 |
+
content="Result 2",
|
| 592 |
+
citation=Citation(source="web", title="T2", url="u2", date="2024"),
|
|
|
|
|
|
|
|
|
|
|
|
|
| 593 |
)
|
| 594 |
])
|
| 595 |
|
| 596 |
+
handler = SearchHandler(tools=[mock_tool_1, mock_tool_2])
|
| 597 |
result = await handler.execute("test query")
|
| 598 |
|
|
|
|
|
|
|
| 599 |
assert result.total_found == 2
|
| 600 |
+
assert "mock1" in result.sources_searched
|
| 601 |
+
assert "mock2" in result.sources_searched
|
| 602 |
+
assert len(result.errors) == 0
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 603 |
```
|
| 604 |
|
| 605 |
---
|
| 606 |
|
| 607 |
## 6. Implementation Checklist
|
| 608 |
|
| 609 |
+
- [ ] Add models to `src/utils/models.py`
|
| 610 |
+
- [ ] Create `src/tools/__init__.py` (Protocol)
|
| 611 |
+
- [ ] Implement `src/tools/pubmed.py`
|
| 612 |
+
- [ ] Implement `src/tools/websearch.py`
|
| 613 |
+
- [ ] Implement `src/tools/search_handler.py`
|
| 614 |
- [ ] Write tests in `tests/unit/tools/test_search.py`
|
| 615 |
+
- [ ] Run `uv run pytest tests/unit/tools/`
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
docs/implementation/03_phase_judge.md
CHANGED
|
@@ -18,232 +18,157 @@ This slice covers:
|
|
| 18 |
3. **Output**: `JudgeAssessment` object.
|
| 19 |
|
| 20 |
**Files**:
|
| 21 |
-
- `src/utils/models.py`: Add Judge models
|
| 22 |
- `src/prompts/judge.py`: Prompt templates
|
| 23 |
-
- `src/prompts/__init__.py`: Package init
|
| 24 |
- `src/agent_factory/judges.py`: Handler logic
|
| 25 |
|
| 26 |
---
|
| 27 |
|
| 28 |
## 2. Models (`src/utils/models.py`)
|
| 29 |
|
| 30 |
-
Add these to the existing models file
|
| 31 |
|
| 32 |
```python
|
| 33 |
-
# Add to src/utils/models.py (after SearchResult class)
|
| 34 |
-
|
| 35 |
class DrugCandidate(BaseModel):
|
| 36 |
-
"""A potential drug repurposing candidate
|
| 37 |
-
|
| 38 |
-
|
| 39 |
-
|
| 40 |
-
|
| 41 |
-
mechanism: str = Field(description="How it might work for the new indication")
|
| 42 |
evidence_strength: Literal["weak", "moderate", "strong"] = Field(
|
| 43 |
-
|
|
|
|
| 44 |
)
|
| 45 |
|
| 46 |
-
|
| 47 |
class JudgeAssessment(BaseModel):
|
| 48 |
-
"""The judge's assessment of evidence
|
| 49 |
-
|
| 50 |
sufficient: bool = Field(
|
| 51 |
-
|
|
|
|
| 52 |
)
|
| 53 |
recommendation: Literal["continue", "synthesize"] = Field(
|
| 54 |
-
|
|
|
|
| 55 |
)
|
| 56 |
reasoning: str = Field(
|
| 57 |
-
|
| 58 |
-
|
| 59 |
-
|
| 60 |
)
|
| 61 |
overall_quality_score: int = Field(
|
| 62 |
-
|
| 63 |
-
|
|
|
|
|
|
|
| 64 |
)
|
| 65 |
coverage_score: int = Field(
|
| 66 |
-
|
| 67 |
-
|
|
|
|
|
|
|
| 68 |
)
|
| 69 |
candidates: list[DrugCandidate] = Field(
|
| 70 |
default_factory=list,
|
| 71 |
-
description="Drug candidates identified
|
| 72 |
)
|
| 73 |
next_search_queries: list[str] = Field(
|
| 74 |
default_factory=list,
|
| 75 |
-
|
|
|
|
| 76 |
)
|
| 77 |
gaps: list[str] = Field(
|
| 78 |
default_factory=list,
|
| 79 |
-
description="
|
| 80 |
)
|
| 81 |
```
|
| 82 |
|
| 83 |
---
|
| 84 |
|
| 85 |
-
## 3. Prompts (`src/prompts/
|
| 86 |
-
|
| 87 |
-
```python
|
| 88 |
-
"""Prompt templates package."""
|
| 89 |
-
from src.prompts.judge import JUDGE_SYSTEM_PROMPT, build_judge_user_prompt
|
| 90 |
-
|
| 91 |
-
__all__ = ["JUDGE_SYSTEM_PROMPT", "build_judge_user_prompt"]
|
| 92 |
-
```
|
| 93 |
-
|
| 94 |
-
---
|
| 95 |
-
|
| 96 |
-
## 4. Prompts (`src/prompts/judge.py`)
|
| 97 |
|
| 98 |
```python
|
| 99 |
-
"""Prompt templates for the Judge
|
| 100 |
from typing import List
|
| 101 |
from src.utils.models import Evidence
|
| 102 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 103 |
|
| 104 |
-
|
| 105 |
-
|
| 106 |
-
|
| 107 |
-
1. Assess the quality and relevance of retrieved evidence
|
| 108 |
-
2. Identify potential drug repurposing candidates
|
| 109 |
-
3. Determine if sufficient evidence exists to write a report
|
| 110 |
-
4. Suggest additional search queries if evidence is insufficient
|
| 111 |
-
|
| 112 |
-
Evaluation Criteria:
|
| 113 |
-
- **Quality**: Is the evidence from reputable sources (peer-reviewed journals, clinical trials)?
|
| 114 |
-
- **Relevance**: Does the evidence directly address the research question?
|
| 115 |
-
- **Recency**: Is the evidence recent (prefer last 5 years for clinical relevance)?
|
| 116 |
-
- **Diversity**: Do we have evidence from multiple independent sources?
|
| 117 |
-
- **Mechanism**: Is there a plausible biological mechanism?
|
| 118 |
-
|
| 119 |
-
Scoring Guidelines:
|
| 120 |
-
- Overall Quality (1-10): 1-3 = poor/unreliable, 4-6 = moderate, 7-10 = high quality
|
| 121 |
-
- Coverage (1-10): 1-3 = major gaps, 4-6 = partial coverage, 7-10 = comprehensive
|
| 122 |
-
|
| 123 |
-
Decision Rules:
|
| 124 |
-
- If quality >= 6 AND coverage >= 6 AND at least 1 drug candidate: recommend "synthesize"
|
| 125 |
-
- Otherwise: recommend "continue" and provide next_search_queries
|
| 126 |
-
|
| 127 |
-
Always identify drug candidates when evidence supports them, including:
|
| 128 |
-
- Drug name
|
| 129 |
-
- Original indication
|
| 130 |
-
- Proposed new indication
|
| 131 |
-
- Mechanism of action
|
| 132 |
-
- Evidence strength (weak/moderate/strong)
|
| 133 |
-
|
| 134 |
-
Be objective and scientific. Avoid speculation without evidence."""
|
| 135 |
|
|
|
|
| 136 |
|
| 137 |
def build_judge_user_prompt(question: str, evidence: List[Evidence]) -> str:
|
| 138 |
-
"""Build the user prompt for the judge.
|
| 139 |
-
|
| 140 |
-
Args:
|
| 141 |
-
question: The original research question.
|
| 142 |
-
evidence: List of Evidence objects to evaluate.
|
| 143 |
-
|
| 144 |
-
Returns:
|
| 145 |
-
Formatted prompt string.
|
| 146 |
-
"""
|
| 147 |
-
# Format evidence into readable blocks
|
| 148 |
-
evidence_blocks = []
|
| 149 |
-
for i, e in enumerate(evidence, 1):
|
| 150 |
-
block = f"""
|
| 151 |
-
### Evidence {i}
|
| 152 |
-
**Source**: {e.citation.source.upper()}
|
| 153 |
-
**Title**: {e.citation.title}
|
| 154 |
-
**Date**: {e.citation.date}
|
| 155 |
-
**Authors**: {', '.join(e.citation.authors[:3]) or 'Unknown'}
|
| 156 |
-
**URL**: {e.citation.url}
|
| 157 |
-
**Relevance Score**: {e.relevance:.2f}
|
| 158 |
-
|
| 159 |
-
**Content**:
|
| 160 |
-
{e.content[:1500]}
|
| 161 |
-
"""
|
| 162 |
-
evidence_blocks.append(block)
|
| 163 |
-
|
| 164 |
-
evidence_text = "\n---\n".join(evidence_blocks) if evidence_blocks else "No evidence provided."
|
| 165 |
|
| 166 |
return f"""## Research Question
|
| 167 |
{question}
|
| 168 |
|
| 169 |
-
##
|
| 170 |
{evidence_text}
|
| 171 |
|
| 172 |
## Your Task
|
| 173 |
-
|
| 174 |
-
|
| 175 |
-
2. What drug repurposing candidates can be identified?
|
| 176 |
-
3. What gaps exist in the evidence?
|
| 177 |
-
4. Should we continue searching or synthesize a report?
|
| 178 |
-
|
| 179 |
-
Provide your assessment in the structured format."""
|
| 180 |
-
|
| 181 |
-
|
| 182 |
-
def build_synthesis_prompt(question: str, assessment: "JudgeAssessment", evidence: List[Evidence]) -> str:
|
| 183 |
-
"""Build the prompt for report synthesis.
|
| 184 |
-
|
| 185 |
-
Args:
|
| 186 |
-
question: The original research question.
|
| 187 |
-
assessment: The judge's assessment.
|
| 188 |
-
evidence: List of Evidence objects.
|
| 189 |
-
|
| 190 |
-
Returns:
|
| 191 |
-
Formatted prompt for synthesis.
|
| 192 |
-
"""
|
| 193 |
-
candidates_text = ""
|
| 194 |
-
if assessment.candidates:
|
| 195 |
-
candidates_text = "\n## Identified Drug Candidates\n"
|
| 196 |
-
for c in assessment.candidates:
|
| 197 |
-
candidates_text += f"""
|
| 198 |
-
### {c.drug_name}
|
| 199 |
-
- **Original Use**: {c.original_indication}
|
| 200 |
-
- **Proposed Use**: {c.proposed_indication}
|
| 201 |
-
- **Mechanism**: {c.mechanism}
|
| 202 |
-
- **Evidence Strength**: {c.evidence_strength}
|
| 203 |
-
"""
|
| 204 |
-
|
| 205 |
-
evidence_summary = "\n".join([
|
| 206 |
-
f"- [{e.citation.source.upper()}] {e.citation.title} ({e.citation.date})"
|
| 207 |
-
for e in evidence[:10]
|
| 208 |
-
])
|
| 209 |
-
|
| 210 |
-
return f"""## Research Question
|
| 211 |
-
{question}
|
| 212 |
-
|
| 213 |
-
{candidates_text}
|
| 214 |
-
|
| 215 |
-
## Evidence Summary
|
| 216 |
-
{evidence_summary}
|
| 217 |
-
|
| 218 |
-
## Quality Assessment
|
| 219 |
-
- Overall Quality: {assessment.overall_quality_score}/10
|
| 220 |
-
- Coverage: {assessment.coverage_score}/10
|
| 221 |
-
- Reasoning: {assessment.reasoning}
|
| 222 |
-
|
| 223 |
-
## Your Task
|
| 224 |
-
Write a comprehensive research report summarizing the drug repurposing possibilities.
|
| 225 |
-
Include:
|
| 226 |
-
1. Executive Summary
|
| 227 |
-
2. Background on the condition
|
| 228 |
-
3. Drug candidates with evidence
|
| 229 |
-
4. Mechanisms of action
|
| 230 |
-
5. Current clinical trial status (if mentioned)
|
| 231 |
-
6. Recommendations for further research
|
| 232 |
-
7. References
|
| 233 |
-
|
| 234 |
-
Format as professional markdown suitable for researchers."""
|
| 235 |
```
|
| 236 |
|
| 237 |
---
|
| 238 |
|
| 239 |
-
##
|
| 240 |
|
| 241 |
```python
|
| 242 |
-
"""Judge handler - evaluates evidence quality
|
| 243 |
import structlog
|
| 244 |
from typing import List
|
| 245 |
from pydantic_ai import Agent
|
| 246 |
-
from
|
|
|
|
|
|
|
| 247 |
|
| 248 |
from src.utils.config import settings
|
| 249 |
from src.utils.exceptions import JudgeError
|
|
@@ -252,121 +177,115 @@ from src.prompts.judge import JUDGE_SYSTEM_PROMPT, build_judge_user_prompt
|
|
| 252 |
|
| 253 |
logger = structlog.get_logger()
|
| 254 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 255 |
|
| 256 |
-
|
| 257 |
-
"""Get the PydanticAI model string from settings.
|
| 258 |
-
|
| 259 |
-
PydanticAI expects format like 'openai:gpt-4o-mini' or 'anthropic:claude-3-haiku-20240307'.
|
| 260 |
-
"""
|
| 261 |
-
provider = settings.llm_provider
|
| 262 |
-
model = settings.llm_model
|
| 263 |
-
|
| 264 |
-
# If model already has provider prefix, return as-is
|
| 265 |
-
if ":" in model:
|
| 266 |
-
return model
|
| 267 |
-
|
| 268 |
-
# Otherwise, prefix with provider
|
| 269 |
-
return f"{provider}:{model}"
|
| 270 |
-
|
| 271 |
-
|
| 272 |
-
# Initialize the PydanticAI Agent for judging
|
| 273 |
-
# This uses structured output to guarantee JudgeAssessment schema
|
| 274 |
judge_agent = Agent(
|
| 275 |
-
model=
|
| 276 |
result_type=JudgeAssessment,
|
| 277 |
system_prompt=JUDGE_SYSTEM_PROMPT,
|
| 278 |
)
|
| 279 |
|
| 280 |
-
|
| 281 |
class JudgeHandler:
|
| 282 |
"""Handles evidence assessment using LLM."""
|
| 283 |
|
| 284 |
def __init__(self, agent: Agent | None = None):
|
| 285 |
-
"""
|
|
|
|
| 286 |
|
| 287 |
Args:
|
| 288 |
-
agent: Optional PydanticAI agent (for testing
|
| 289 |
"""
|
| 290 |
self.agent = agent or judge_agent
|
|
|
|
| 291 |
|
| 292 |
@retry(
|
| 293 |
stop=stop_after_attempt(3),
|
| 294 |
wait=wait_exponential(multiplier=1, min=2, max=10),
|
|
|
|
|
|
|
| 295 |
)
|
| 296 |
-
async def assess(
|
| 297 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 298 |
|
| 299 |
Args:
|
| 300 |
-
question: The research question
|
| 301 |
-
evidence: List of Evidence objects to
|
| 302 |
|
| 303 |
Returns:
|
| 304 |
-
JudgeAssessment with
|
| 305 |
|
| 306 |
Raises:
|
| 307 |
-
JudgeError: If assessment fails after retries
|
| 308 |
"""
|
| 309 |
logger.info(
|
| 310 |
-
"
|
| 311 |
question=question[:100],
|
| 312 |
-
evidence_count=len(evidence)
|
| 313 |
)
|
| 314 |
|
| 315 |
-
|
| 316 |
-
|
| 317 |
-
|
| 318 |
-
|
| 319 |
-
sufficient=False,
|
| 320 |
-
recommendation="continue",
|
| 321 |
-
reasoning="No evidence was provided to evaluate. Need to search for relevant research.",
|
| 322 |
-
overall_quality_score=1,
|
| 323 |
-
coverage_score=1,
|
| 324 |
-
candidates=[],
|
| 325 |
-
next_search_queries=[
|
| 326 |
-
f"{question} clinical trial",
|
| 327 |
-
f"{question} mechanism",
|
| 328 |
-
f"{question} drug repurposing",
|
| 329 |
-
],
|
| 330 |
-
gaps=["No evidence collected yet"],
|
| 331 |
-
)
|
| 332 |
|
| 333 |
try:
|
| 334 |
-
#
|
| 335 |
-
|
| 336 |
|
| 337 |
-
#
|
| 338 |
-
|
| 339 |
|
| 340 |
logger.info(
|
| 341 |
-
"
|
| 342 |
-
sufficient=
|
| 343 |
-
recommendation=
|
| 344 |
-
quality_score=
|
| 345 |
-
|
| 346 |
-
candidates_found=len(result.data.candidates),
|
| 347 |
)
|
| 348 |
|
| 349 |
-
return
|
| 350 |
|
| 351 |
except Exception as e:
|
| 352 |
-
logger.error("
|
| 353 |
-
raise JudgeError(f"
|
| 354 |
-
|
| 355 |
async def should_continue(self, assessment: JudgeAssessment) -> bool:
|
| 356 |
-
"""
|
| 357 |
-
|
| 358 |
-
|
| 359 |
-
assessment: The judge's assessment.
|
| 360 |
-
|
| 361 |
Returns:
|
| 362 |
-
True if we should search more, False if
|
| 363 |
"""
|
| 364 |
-
return assessment.recommendation == "continue"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 365 |
```
|
| 366 |
|
| 367 |
---
|
| 368 |
|
| 369 |
-
##
|
| 370 |
|
| 371 |
### Test File: `tests/unit/agent_factory/test_judges.py`
|
| 372 |
|
|
@@ -375,285 +294,66 @@ class JudgeHandler:
|
|
| 375 |
import pytest
|
| 376 |
from unittest.mock import AsyncMock, MagicMock
|
| 377 |
|
| 378 |
-
|
| 379 |
class TestJudgeHandler:
|
| 380 |
-
"""Tests for JudgeHandler."""
|
| 381 |
-
|
| 382 |
@pytest.mark.asyncio
|
| 383 |
async def test_assess_returns_assessment(self, mocker):
|
| 384 |
-
"""JudgeHandler.assess should return JudgeAssessment."""
|
| 385 |
from src.agent_factory.judges import JudgeHandler
|
| 386 |
from src.utils.models import JudgeAssessment, Evidence, Citation
|
| 387 |
|
| 388 |
-
# Create mock assessment result
|
| 389 |
-
mock_assessment = JudgeAssessment(
|
| 390 |
-
sufficient=True,
|
| 391 |
-
recommendation="synthesize",
|
| 392 |
-
reasoning="Good quality evidence from multiple sources.",
|
| 393 |
-
overall_quality_score=8,
|
| 394 |
-
coverage_score=7,
|
| 395 |
-
candidates=[],
|
| 396 |
-
next_search_queries=[],
|
| 397 |
-
gaps=[],
|
| 398 |
-
)
|
| 399 |
-
|
| 400 |
# Mock PydanticAI agent result
|
| 401 |
mock_result = MagicMock()
|
| 402 |
-
mock_result.data =
|
| 403 |
-
|
| 404 |
-
mock_agent = MagicMock()
|
| 405 |
-
mock_agent.run = AsyncMock(return_value=mock_result)
|
| 406 |
-
|
| 407 |
-
# Create evidence
|
| 408 |
-
evidence = [
|
| 409 |
-
Evidence(
|
| 410 |
-
content="Test evidence content about drug repurposing.",
|
| 411 |
-
citation=Citation(
|
| 412 |
-
source="pubmed",
|
| 413 |
-
title="Test Article",
|
| 414 |
-
url="https://pubmed.ncbi.nlm.nih.gov/123/",
|
| 415 |
-
date="2024",
|
| 416 |
-
authors=["Smith J", "Jones K"],
|
| 417 |
-
),
|
| 418 |
-
relevance=0.9,
|
| 419 |
-
)
|
| 420 |
-
]
|
| 421 |
-
|
| 422 |
-
handler = JudgeHandler(agent=mock_agent)
|
| 423 |
-
result = await handler.assess("Can metformin treat Alzheimer's?", evidence)
|
| 424 |
-
|
| 425 |
-
assert result.sufficient is True
|
| 426 |
-
assert result.recommendation == "synthesize"
|
| 427 |
-
assert result.overall_quality_score == 8
|
| 428 |
-
mock_agent.run.assert_called_once()
|
| 429 |
-
|
| 430 |
-
@pytest.mark.asyncio
|
| 431 |
-
async def test_assess_handles_empty_evidence(self):
|
| 432 |
-
"""JudgeHandler should handle empty evidence gracefully."""
|
| 433 |
-
from src.agent_factory.judges import JudgeHandler
|
| 434 |
-
|
| 435 |
-
# Use real handler but don't call LLM
|
| 436 |
-
handler = JudgeHandler()
|
| 437 |
-
|
| 438 |
-
# Empty evidence should return default assessment
|
| 439 |
-
result = await handler.assess("Test question?", [])
|
| 440 |
-
|
| 441 |
-
assert result.sufficient is False
|
| 442 |
-
assert result.recommendation == "continue"
|
| 443 |
-
assert result.overall_quality_score == 1
|
| 444 |
-
assert len(result.next_search_queries) > 0
|
| 445 |
-
|
| 446 |
-
@pytest.mark.asyncio
|
| 447 |
-
async def test_assess_with_drug_candidates(self, mocker):
|
| 448 |
-
"""JudgeHandler should identify drug candidates from evidence."""
|
| 449 |
-
from src.agent_factory.judges import JudgeHandler
|
| 450 |
-
from src.utils.models import JudgeAssessment, DrugCandidate, Evidence, Citation
|
| 451 |
-
|
| 452 |
-
# Create assessment with candidates
|
| 453 |
-
mock_assessment = JudgeAssessment(
|
| 454 |
sufficient=True,
|
| 455 |
recommendation="synthesize",
|
| 456 |
-
reasoning="
|
| 457 |
overall_quality_score=8,
|
| 458 |
-
coverage_score=8
|
| 459 |
-
candidates=[
|
| 460 |
-
DrugCandidate(
|
| 461 |
-
drug_name="Metformin",
|
| 462 |
-
original_indication="Type 2 Diabetes",
|
| 463 |
-
proposed_indication="Alzheimer's Disease",
|
| 464 |
-
mechanism="Activates AMPK, reduces inflammation",
|
| 465 |
-
evidence_strength="moderate",
|
| 466 |
-
)
|
| 467 |
-
],
|
| 468 |
-
next_search_queries=[],
|
| 469 |
-
gaps=[],
|
| 470 |
)
|
| 471 |
-
|
| 472 |
-
|
| 473 |
-
mock_result.data = mock_assessment
|
| 474 |
-
|
| 475 |
-
mock_agent = MagicMock()
|
| 476 |
mock_agent.run = AsyncMock(return_value=mock_result)
|
| 477 |
|
| 478 |
-
evidence = [
|
| 479 |
-
Evidence(
|
| 480 |
-
content="Metformin shows neuroprotective properties...",
|
| 481 |
-
citation=Citation(
|
| 482 |
-
source="pubmed",
|
| 483 |
-
title="Metformin and Alzheimer's",
|
| 484 |
-
url="https://pubmed.ncbi.nlm.nih.gov/456/",
|
| 485 |
-
date="2024",
|
| 486 |
-
),
|
| 487 |
-
)
|
| 488 |
-
]
|
| 489 |
-
|
| 490 |
handler = JudgeHandler(agent=mock_agent)
|
| 491 |
-
result = await handler.assess("
|
| 492 |
-
|
| 493 |
-
assert
|
| 494 |
-
|
| 495 |
-
assert result.candidates[0].evidence_strength == "moderate"
|
| 496 |
-
|
| 497 |
@pytest.mark.asyncio
|
| 498 |
-
async def
|
| 499 |
-
"""should_continue should return True for 'continue' recommendation."""
|
| 500 |
from src.agent_factory.judges import JudgeHandler
|
| 501 |
from src.utils.models import JudgeAssessment
|
| 502 |
-
|
| 503 |
-
handler = JudgeHandler()
|
| 504 |
-
|
| 505 |
-
#
|
| 506 |
-
|
| 507 |
sufficient=False,
|
| 508 |
recommendation="continue",
|
| 509 |
-
reasoning="Need more
|
| 510 |
-
overall_quality_score=
|
| 511 |
-
coverage_score=
|
| 512 |
)
|
| 513 |
-
assert await handler.should_continue(
|
| 514 |
-
|
| 515 |
-
#
|
| 516 |
-
|
| 517 |
sufficient=True,
|
| 518 |
recommendation="synthesize",
|
| 519 |
-
reasoning="
|
| 520 |
overall_quality_score=8,
|
| 521 |
-
coverage_score=8
|
| 522 |
)
|
| 523 |
-
assert await handler.should_continue(
|
| 524 |
-
|
| 525 |
-
@pytest.mark.asyncio
|
| 526 |
-
async def test_assess_handles_llm_error(self, mocker):
|
| 527 |
-
"""JudgeHandler should raise JudgeError on LLM failure."""
|
| 528 |
-
from src.agent_factory.judges import JudgeHandler
|
| 529 |
-
from src.utils.models import Evidence, Citation
|
| 530 |
-
from src.utils.exceptions import JudgeError
|
| 531 |
-
|
| 532 |
-
mock_agent = MagicMock()
|
| 533 |
-
mock_agent.run = AsyncMock(side_effect=Exception("LLM API error"))
|
| 534 |
-
|
| 535 |
-
evidence = [
|
| 536 |
-
Evidence(
|
| 537 |
-
content="Test content",
|
| 538 |
-
citation=Citation(
|
| 539 |
-
source="pubmed",
|
| 540 |
-
title="Test",
|
| 541 |
-
url="https://example.com",
|
| 542 |
-
date="2024",
|
| 543 |
-
),
|
| 544 |
-
)
|
| 545 |
-
]
|
| 546 |
-
|
| 547 |
-
handler = JudgeHandler(agent=mock_agent)
|
| 548 |
-
|
| 549 |
-
with pytest.raises(JudgeError) as exc_info:
|
| 550 |
-
await handler.assess("Test question?", evidence)
|
| 551 |
-
|
| 552 |
-
assert "assessment failed" in str(exc_info.value).lower()
|
| 553 |
-
|
| 554 |
-
|
| 555 |
-
class TestPromptBuilding:
|
| 556 |
-
"""Tests for prompt building functions."""
|
| 557 |
-
|
| 558 |
-
def test_build_judge_user_prompt_formats_evidence(self):
|
| 559 |
-
"""build_judge_user_prompt should format evidence correctly."""
|
| 560 |
-
from src.prompts.judge import build_judge_user_prompt
|
| 561 |
-
from src.utils.models import Evidence, Citation
|
| 562 |
-
|
| 563 |
-
evidence = [
|
| 564 |
-
Evidence(
|
| 565 |
-
content="Metformin shows neuroprotective effects in animal models.",
|
| 566 |
-
citation=Citation(
|
| 567 |
-
source="pubmed",
|
| 568 |
-
title="Metformin Neuroprotection Study",
|
| 569 |
-
url="https://pubmed.ncbi.nlm.nih.gov/123/",
|
| 570 |
-
date="2024-01-15",
|
| 571 |
-
authors=["Smith J", "Jones K", "Brown M"],
|
| 572 |
-
),
|
| 573 |
-
relevance=0.85,
|
| 574 |
-
)
|
| 575 |
-
]
|
| 576 |
-
|
| 577 |
-
prompt = build_judge_user_prompt("Can metformin treat Alzheimer's?", evidence)
|
| 578 |
-
|
| 579 |
-
# Check question is included
|
| 580 |
-
assert "Can metformin treat Alzheimer's?" in prompt
|
| 581 |
-
|
| 582 |
-
# Check evidence is formatted
|
| 583 |
-
assert "PUBMED" in prompt
|
| 584 |
-
assert "Metformin Neuroprotection Study" in prompt
|
| 585 |
-
assert "2024-01-15" in prompt
|
| 586 |
-
assert "Smith J" in prompt
|
| 587 |
-
assert "0.85" in prompt # Relevance score
|
| 588 |
-
|
| 589 |
-
def test_build_judge_user_prompt_handles_empty_evidence(self):
|
| 590 |
-
"""build_judge_user_prompt should handle empty evidence."""
|
| 591 |
-
from src.prompts.judge import build_judge_user_prompt
|
| 592 |
-
|
| 593 |
-
prompt = build_judge_user_prompt("Test question?", [])
|
| 594 |
-
|
| 595 |
-
assert "Test question?" in prompt
|
| 596 |
-
assert "No evidence provided" in prompt
|
| 597 |
```
|
| 598 |
|
| 599 |
---
|
| 600 |
|
| 601 |
-
##
|
| 602 |
|
| 603 |
-
- [ ]
|
| 604 |
-
- [ ] Create `src/prompts/
|
| 605 |
-
- [ ]
|
| 606 |
-
- [ ] Implement `src/agent_factory/judges.py` (complete JudgeHandler class)
|
| 607 |
- [ ] Write tests in `tests/unit/agent_factory/test_judges.py`
|
| 608 |
-
- [ ] Run `uv run pytest tests/unit/agent_factory
|
| 609 |
-
- [ ] Run `uv run ruff check src/agent_factory src/prompts` β **NO ERRORS**
|
| 610 |
-
- [ ] Run `uv run mypy src/agent_factory src/prompts` β **NO ERRORS**
|
| 611 |
-
- [ ] Commit: `git commit -m "feat: phase 3 judge slice complete"`
|
| 612 |
-
|
| 613 |
-
---
|
| 614 |
-
|
| 615 |
-
## 8. Definition of Done
|
| 616 |
-
|
| 617 |
-
Phase 3 is **COMPLETE** when:
|
| 618 |
-
|
| 619 |
-
1. β
All unit tests in `tests/unit/agent_factory/` pass
|
| 620 |
-
2. β
`JudgeHandler` returns valid `JudgeAssessment` objects
|
| 621 |
-
3. β
Structured output is enforced (no raw JSON strings leaked)
|
| 622 |
-
4. β
Retry/exception handling is covered by tests
|
| 623 |
-
5. β
Ruff and mypy pass with no errors
|
| 624 |
-
6. β
Manual REPL sanity check works (requires API key):
|
| 625 |
-
|
| 626 |
-
```python
|
| 627 |
-
import asyncio
|
| 628 |
-
from src.agent_factory.judges import JudgeHandler
|
| 629 |
-
from src.utils.models import Evidence, Citation
|
| 630 |
-
|
| 631 |
-
async def test():
|
| 632 |
-
handler = JudgeHandler()
|
| 633 |
-
evidence = [
|
| 634 |
-
Evidence(
|
| 635 |
-
content="Metformin shows neuroprotective properties in multiple studies. "
|
| 636 |
-
"AMPK activation reduces neuroinflammation and may slow cognitive decline.",
|
| 637 |
-
citation=Citation(
|
| 638 |
-
source="pubmed",
|
| 639 |
-
title="Metformin and Cognitive Function: A Review",
|
| 640 |
-
url="https://pubmed.ncbi.nlm.nih.gov/123/",
|
| 641 |
-
date="2024",
|
| 642 |
-
authors=["Smith J", "Jones K"],
|
| 643 |
-
),
|
| 644 |
-
relevance=0.9,
|
| 645 |
-
)
|
| 646 |
-
]
|
| 647 |
-
result = await handler.assess("Can metformin treat Alzheimer's?", evidence)
|
| 648 |
-
print(f"Sufficient: {result.sufficient}")
|
| 649 |
-
print(f"Recommendation: {result.recommendation}")
|
| 650 |
-
print(f"Quality: {result.overall_quality_score}/10")
|
| 651 |
-
print(f"Coverage: {result.coverage_score}/10")
|
| 652 |
-
print(f"Reasoning: {result.reasoning}")
|
| 653 |
-
if result.candidates:
|
| 654 |
-
print(f"Candidates: {[c.drug_name for c in result.candidates]}")
|
| 655 |
-
|
| 656 |
-
asyncio.run(test())
|
| 657 |
-
```
|
| 658 |
|
| 659 |
-
|
|
|
|
| 18 |
3. **Output**: `JudgeAssessment` object.
|
| 19 |
|
| 20 |
**Files**:
|
| 21 |
+
- `src/utils/models.py`: Add Judge models
|
| 22 |
- `src/prompts/judge.py`: Prompt templates
|
|
|
|
| 23 |
- `src/agent_factory/judges.py`: Handler logic
|
| 24 |
|
| 25 |
---
|
| 26 |
|
| 27 |
## 2. Models (`src/utils/models.py`)
|
| 28 |
|
| 29 |
+
Add these to the existing models file:
|
| 30 |
|
| 31 |
```python
|
|
|
|
|
|
|
| 32 |
class DrugCandidate(BaseModel):
|
| 33 |
+
"""A potential drug repurposing candidate."""
|
| 34 |
+
drug_name: str = Field(..., description="Name of the drug")
|
| 35 |
+
original_indication: str = Field(..., description="What the drug was originally approved for")
|
| 36 |
+
proposed_indication: str = Field(..., description="The new proposed use")
|
| 37 |
+
mechanism: str = Field(..., description="Proposed mechanism of action")
|
|
|
|
| 38 |
evidence_strength: Literal["weak", "moderate", "strong"] = Field(
|
| 39 |
+
...,
|
| 40 |
+
description="Strength of supporting evidence"
|
| 41 |
)
|
| 42 |
|
|
|
|
| 43 |
class JudgeAssessment(BaseModel):
|
| 44 |
+
"""The judge's assessment of the collected evidence."""
|
|
|
|
| 45 |
sufficient: bool = Field(
|
| 46 |
+
...,
|
| 47 |
+
description="Is there enough evidence to write a report?"
|
| 48 |
)
|
| 49 |
recommendation: Literal["continue", "synthesize"] = Field(
|
| 50 |
+
...,
|
| 51 |
+
description="Should we search more or synthesize a report?"
|
| 52 |
)
|
| 53 |
reasoning: str = Field(
|
| 54 |
+
...,
|
| 55 |
+
max_length=500,
|
| 56 |
+
description="Explanation of the assessment"
|
| 57 |
)
|
| 58 |
overall_quality_score: int = Field(
|
| 59 |
+
...,
|
| 60 |
+
ge=0,
|
| 61 |
+
le=10,
|
| 62 |
+
description="Overall quality of evidence (0-10)"
|
| 63 |
)
|
| 64 |
coverage_score: int = Field(
|
| 65 |
+
...,
|
| 66 |
+
ge=0,
|
| 67 |
+
le=10,
|
| 68 |
+
description="How well does evidence cover the query (0-10)"
|
| 69 |
)
|
| 70 |
candidates: list[DrugCandidate] = Field(
|
| 71 |
default_factory=list,
|
| 72 |
+
description="Drug candidates identified in the evidence"
|
| 73 |
)
|
| 74 |
next_search_queries: list[str] = Field(
|
| 75 |
default_factory=list,
|
| 76 |
+
max_length=5,
|
| 77 |
+
description="Suggested follow-up queries if more evidence needed"
|
| 78 |
)
|
| 79 |
gaps: list[str] = Field(
|
| 80 |
default_factory=list,
|
| 81 |
+
description="Information gaps identified in current evidence"
|
| 82 |
)
|
| 83 |
```
|
| 84 |
|
| 85 |
---
|
| 86 |
|
| 87 |
+
## 3. Prompts (`src/prompts/judge.py`)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 88 |
|
| 89 |
```python
|
| 90 |
+
"""Prompt templates for the Judge."""
|
| 91 |
from typing import List
|
| 92 |
from src.utils.models import Evidence
|
| 93 |
|
| 94 |
+
JUDGE_SYSTEM_PROMPT = """You are a biomedical research quality assessor specializing in drug repurposing.
|
| 95 |
+
|
| 96 |
+
Your job is to evaluate evidence retrieved from PubMed and web searches, and decide if:
|
| 97 |
+
1. There is SUFFICIENT evidence to write a research report
|
| 98 |
+
2. More searching is needed to fill gaps
|
| 99 |
+
|
| 100 |
+
## Evaluation Criteria
|
| 101 |
+
|
| 102 |
+
### For "sufficient" = True (ready to synthesize):
|
| 103 |
+
- At least 3 relevant pieces of evidence
|
| 104 |
+
- At least one peer-reviewed source (PubMed)
|
| 105 |
+
- Clear mechanism of action identified
|
| 106 |
+
- Drug candidates with at least "moderate" evidence strength
|
| 107 |
+
|
| 108 |
+
### For "sufficient" = False (continue searching):
|
| 109 |
+
- Fewer than 3 relevant pieces
|
| 110 |
+
- No clear drug candidates identified
|
| 111 |
+
- Major gaps in mechanism understanding
|
| 112 |
+
- All evidence is low quality
|
| 113 |
+
|
| 114 |
+
## Output Requirements
|
| 115 |
+
- Be STRICT. Only mark sufficient=True if evidence is genuinely adequate
|
| 116 |
+
- Always provide reasoning for your decision
|
| 117 |
+
- If continuing, suggest SPECIFIC, ACTIONABLE search queries
|
| 118 |
+
- Identify concrete gaps, not vague statements
|
| 119 |
+
|
| 120 |
+
## Important
|
| 121 |
+
- You are assessing DRUG REPURPOSING potential
|
| 122 |
+
- Focus on: mechanism of action, existing clinical data, safety profile
|
| 123 |
+
- Ignore marketing content or non-scientific sources"""
|
| 124 |
+
|
| 125 |
+
def format_evidence_for_prompt(evidence_list: List[Evidence]) -> str:
|
| 126 |
+
"""Format evidence list into a string for the prompt."""
|
| 127 |
+
if not evidence_list:
|
| 128 |
+
return "NO EVIDENCE COLLECTED YET"
|
| 129 |
+
|
| 130 |
+
formatted = []
|
| 131 |
+
for i, ev in enumerate(evidence_list, 1):
|
| 132 |
+
formatted.append(f"""
|
| 133 |
+
---
|
| 134 |
+
Source: {ev.citation.source.upper()}
|
| 135 |
+
Title: {ev.citation.title}
|
| 136 |
+
Date: {ev.citation.date}
|
| 137 |
+
URL: {ev.citation.url}
|
| 138 |
|
| 139 |
+
Content:
|
| 140 |
+
{ev.content[:1500]}
|
| 141 |
+
---")
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 142 |
|
| 143 |
+
return "\n".join(formatted)
|
| 144 |
|
| 145 |
def build_judge_user_prompt(question: str, evidence: List[Evidence]) -> str:
|
| 146 |
+
"""Build the user prompt for the judge."""
|
| 147 |
+
evidence_text = format_evidence_for_prompt(evidence)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 148 |
|
| 149 |
return f"""## Research Question
|
| 150 |
{question}
|
| 151 |
|
| 152 |
+
## Collected Evidence ({len(evidence)} pieces)
|
| 153 |
{evidence_text}
|
| 154 |
|
| 155 |
## Your Task
|
| 156 |
+
Assess the evidence above and provide your structured assessment.
|
| 157 |
+
If evidence is insufficient, suggest 2-3 specific follow-up search queries."""
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 158 |
```
|
| 159 |
|
| 160 |
---
|
| 161 |
|
| 162 |
+
## 4. Handler (`src/agent_factory/judges.py`)
|
| 163 |
|
| 164 |
```python
|
| 165 |
+
"""Judge handler - evaluates evidence quality."""
|
| 166 |
import structlog
|
| 167 |
from typing import List
|
| 168 |
from pydantic_ai import Agent
|
| 169 |
+
from pydantic_ai.models.openai import OpenAIModel
|
| 170 |
+
from pydantic_ai.models.anthropic import AnthropicModel
|
| 171 |
+
from tenacity import retry, stop_after_attempt, wait_exponential, retry_if_exception_type
|
| 172 |
|
| 173 |
from src.utils.config import settings
|
| 174 |
from src.utils.exceptions import JudgeError
|
|
|
|
| 177 |
|
| 178 |
logger = structlog.get_logger()
|
| 179 |
|
| 180 |
+
def get_llm_model():
|
| 181 |
+
"""Get the configured LLM model for PydanticAI."""
|
| 182 |
+
if settings.llm_provider == "openai":
|
| 183 |
+
return OpenAIModel(
|
| 184 |
+
settings.llm_model,
|
| 185 |
+
api_key=settings.get_api_key(),
|
| 186 |
+
)
|
| 187 |
+
elif settings.llm_provider == "anthropic":
|
| 188 |
+
return AnthropicModel(
|
| 189 |
+
settings.llm_model,
|
| 190 |
+
api_key=settings.get_api_key(),
|
| 191 |
+
)
|
| 192 |
+
else:
|
| 193 |
+
raise JudgeError(f"Unknown LLM provider: {settings.llm_provider}")
|
| 194 |
|
| 195 |
+
# Initialize Agent
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 196 |
judge_agent = Agent(
|
| 197 |
+
model=get_llm_model(),
|
| 198 |
result_type=JudgeAssessment,
|
| 199 |
system_prompt=JUDGE_SYSTEM_PROMPT,
|
| 200 |
)
|
| 201 |
|
|
|
|
| 202 |
class JudgeHandler:
|
| 203 |
"""Handles evidence assessment using LLM."""
|
| 204 |
|
| 205 |
def __init__(self, agent: Agent | None = None):
|
| 206 |
+
"""
|
| 207 |
+
Initialize the judge handler.
|
| 208 |
|
| 209 |
Args:
|
| 210 |
+
agent: Optional PydanticAI agent (for testing injection)
|
| 211 |
"""
|
| 212 |
self.agent = agent or judge_agent
|
| 213 |
+
self._call_count = 0
|
| 214 |
|
| 215 |
@retry(
|
| 216 |
stop=stop_after_attempt(3),
|
| 217 |
wait=wait_exponential(multiplier=1, min=2, max=10),
|
| 218 |
+
retry=retry_if_exception_type((TimeoutError, ConnectionError)),
|
| 219 |
+
reraise=True,
|
| 220 |
)
|
| 221 |
+
async def assess(
|
| 222 |
+
self,
|
| 223 |
+
question: str,
|
| 224 |
+
evidence: List[Evidence],
|
| 225 |
+
) -> JudgeAssessment:
|
| 226 |
+
"""
|
| 227 |
+
Assess the quality and sufficiency of evidence.
|
| 228 |
|
| 229 |
Args:
|
| 230 |
+
question: The original research question
|
| 231 |
+
evidence: List of Evidence objects to assess
|
| 232 |
|
| 233 |
Returns:
|
| 234 |
+
JudgeAssessment with decision and recommendations
|
| 235 |
|
| 236 |
Raises:
|
| 237 |
+
JudgeError: If assessment fails after retries
|
| 238 |
"""
|
| 239 |
logger.info(
|
| 240 |
+
"Starting evidence assessment",
|
| 241 |
question=question[:100],
|
| 242 |
+
evidence_count=len(evidence),
|
| 243 |
)
|
| 244 |
|
| 245 |
+
self._call_count += 1
|
| 246 |
+
|
| 247 |
+
# Build the prompt
|
| 248 |
+
user_prompt = build_judge_user_prompt(question, evidence)
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 249 |
|
| 250 |
try:
|
| 251 |
+
# Run the agent - PydanticAI handles structured output
|
| 252 |
+
result = await self.agent.run(user_prompt)
|
| 253 |
|
| 254 |
+
# result.data is already a JudgeAssessment (typed!)
|
| 255 |
+
assessment = result.data
|
| 256 |
|
| 257 |
logger.info(
|
| 258 |
+
"Assessment complete",
|
| 259 |
+
sufficient=assessment.sufficient,
|
| 260 |
+
recommendation=assessment.recommendation,
|
| 261 |
+
quality_score=assessment.overall_quality_score,
|
| 262 |
+
candidates_found=len(assessment.candidates),
|
|
|
|
| 263 |
)
|
| 264 |
|
| 265 |
+
return assessment
|
| 266 |
|
| 267 |
except Exception as e:
|
| 268 |
+
logger.error("Judge assessment failed", error=str(e))
|
| 269 |
+
raise JudgeError(f"Failed to assess evidence: {e}") from e
|
| 270 |
+
|
| 271 |
async def should_continue(self, assessment: JudgeAssessment) -> bool:
|
| 272 |
+
"""
|
| 273 |
+
Decide if the search loop should continue based on the assessment.
|
| 274 |
+
|
|
|
|
|
|
|
| 275 |
Returns:
|
| 276 |
+
True if we should search more, False if we should stop (synthesize or give up).
|
| 277 |
"""
|
| 278 |
+
return not assessment.sufficient and assessment.recommendation == "continue"
|
| 279 |
+
|
| 280 |
+
@property
|
| 281 |
+
def call_count(self) -> int:
|
| 282 |
+
"""Number of LLM calls made (for budget tracking)."""
|
| 283 |
+
return self._call_count
|
| 284 |
```
|
| 285 |
|
| 286 |
---
|
| 287 |
|
| 288 |
+
## 5. TDD Workflow
|
| 289 |
|
| 290 |
### Test File: `tests/unit/agent_factory/test_judges.py`
|
| 291 |
|
|
|
|
| 294 |
import pytest
|
| 295 |
from unittest.mock import AsyncMock, MagicMock
|
| 296 |
|
|
|
|
| 297 |
class TestJudgeHandler:
|
|
|
|
|
|
|
| 298 |
@pytest.mark.asyncio
|
| 299 |
async def test_assess_returns_assessment(self, mocker):
|
|
|
|
| 300 |
from src.agent_factory.judges import JudgeHandler
|
| 301 |
from src.utils.models import JudgeAssessment, Evidence, Citation
|
| 302 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 303 |
# Mock PydanticAI agent result
|
| 304 |
mock_result = MagicMock()
|
| 305 |
+
mock_result.data = JudgeAssessment(
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 306 |
sufficient=True,
|
| 307 |
recommendation="synthesize",
|
| 308 |
+
reasoning="Good",
|
| 309 |
overall_quality_score=8,
|
| 310 |
+
coverage_score=8
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 311 |
)
|
| 312 |
+
|
| 313 |
+
mock_agent = AsyncMock()
|
|
|
|
|
|
|
|
|
|
| 314 |
mock_agent.run = AsyncMock(return_value=mock_result)
|
| 315 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 316 |
handler = JudgeHandler(agent=mock_agent)
|
| 317 |
+
result = await handler.assess("q", [])
|
| 318 |
+
|
| 319 |
+
assert result.sufficient is True
|
| 320 |
+
|
|
|
|
|
|
|
| 321 |
@pytest.mark.asyncio
|
| 322 |
+
async def test_should_continue(self, mocker):
|
|
|
|
| 323 |
from src.agent_factory.judges import JudgeHandler
|
| 324 |
from src.utils.models import JudgeAssessment
|
| 325 |
+
|
| 326 |
+
handler = JudgeHandler(agent=AsyncMock())
|
| 327 |
+
|
| 328 |
+
# Continue case
|
| 329 |
+
assess1 = JudgeAssessment(
|
| 330 |
sufficient=False,
|
| 331 |
recommendation="continue",
|
| 332 |
+
reasoning="Need more",
|
| 333 |
+
overall_quality_score=5,
|
| 334 |
+
coverage_score=5
|
| 335 |
)
|
| 336 |
+
assert await handler.should_continue(assess1) is True
|
| 337 |
+
|
| 338 |
+
# Stop case
|
| 339 |
+
assess2 = JudgeAssessment(
|
| 340 |
sufficient=True,
|
| 341 |
recommendation="synthesize",
|
| 342 |
+
reasoning="Done",
|
| 343 |
overall_quality_score=8,
|
| 344 |
+
coverage_score=8
|
| 345 |
)
|
| 346 |
+
assert await handler.should_continue(assess2) is False
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 347 |
```
|
| 348 |
|
| 349 |
---
|
| 350 |
|
| 351 |
+
## 6. Implementation Checklist
|
| 352 |
|
| 353 |
+
- [ ] Update `src/utils/models.py` with Judge models
|
| 354 |
+
- [ ] Create `src/prompts/judge.py`
|
| 355 |
+
- [ ] Implement `src/agent_factory/judges.py`
|
|
|
|
| 356 |
- [ ] Write tests in `tests/unit/agent_factory/test_judges.py`
|
| 357 |
+
- [ ] Run `uv run pytest tests/unit/agent_factory/`
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 358 |
|
| 359 |
+
```
|
docs/implementation/04_phase_ui.md
CHANGED
|
@@ -10,34 +10,24 @@
|
|
| 10 |
## 1. The Slice Definition
|
| 11 |
|
| 12 |
This slice connects:
|
| 13 |
-
1. **Orchestrator**: The
|
| 14 |
-
2. **
|
| 15 |
-
3. **UI**: Gradio streaming chat interface.
|
| 16 |
-
4. **Deployment**: Dockerfile + HuggingFace Spaces config.
|
| 17 |
|
| 18 |
**Files**:
|
| 19 |
-
- `src/utils/models.py`: Add
|
| 20 |
-
- `src/orchestrator.py`: Main
|
| 21 |
-
- `src/app.py`:
|
| 22 |
-
- `Dockerfile`: Container build
|
| 23 |
-
- `README.md`: HuggingFace Space config (at root)
|
| 24 |
|
| 25 |
---
|
| 26 |
|
| 27 |
## 2. Models (`src/utils/models.py`)
|
| 28 |
|
| 29 |
-
Add
|
| 30 |
|
| 31 |
```python
|
| 32 |
-
# Add to src/utils/models.py (after JudgeAssessment class)
|
| 33 |
-
|
| 34 |
from enum import Enum
|
| 35 |
-
from typing import Any
|
| 36 |
-
|
| 37 |
|
| 38 |
class AgentState(str, Enum):
|
| 39 |
-
"""States of the agent during execution."""
|
| 40 |
-
|
| 41 |
INITIALIZING = "initializing"
|
| 42 |
SEARCHING = "searching"
|
| 43 |
JUDGING = "judging"
|
|
@@ -45,92 +35,67 @@ class AgentState(str, Enum):
|
|
| 45 |
COMPLETE = "complete"
|
| 46 |
ERROR = "error"
|
| 47 |
|
| 48 |
-
|
| 49 |
class AgentEvent(BaseModel):
|
| 50 |
-
|
| 51 |
-
|
| 52 |
-
|
| 53 |
-
|
| 54 |
-
|
| 55 |
-
data: dict[str, Any] | None = Field(
|
| 56 |
-
default=None,
|
| 57 |
-
description="Optional payload (e.g., evidence count, assessment scores)"
|
| 58 |
-
)
|
| 59 |
-
|
| 60 |
def to_display(self) -> str:
|
| 61 |
"""Format for UI display."""
|
| 62 |
-
|
| 63 |
-
AgentState.INITIALIZING: "
|
| 64 |
AgentState.SEARCHING: "π",
|
| 65 |
-
AgentState.JUDGING: "
|
| 66 |
AgentState.SYNTHESIZING: "π",
|
| 67 |
AgentState.COMPLETE: "β
",
|
| 68 |
AgentState.ERROR: "β",
|
| 69 |
-
}
|
| 70 |
-
|
| 71 |
-
|
| 72 |
|
| 73 |
class AgentResult(BaseModel):
|
| 74 |
-
"""Final result
|
| 75 |
-
|
| 76 |
-
|
| 77 |
-
|
| 78 |
-
|
| 79 |
-
|
| 80 |
-
|
| 81 |
-
default_factory=list,
|
| 82 |
-
description="Drug candidates identified"
|
| 83 |
-
)
|
| 84 |
-
quality_score: int = Field(default=0, description="Final quality score")
|
| 85 |
```
|
| 86 |
|
| 87 |
---
|
| 88 |
|
|
|
|
| 89 |
## 3. Orchestrator (`src/orchestrator.py`)
|
| 90 |
|
| 91 |
```python
|
| 92 |
-
"""Main agent orchestrator
|
| 93 |
import structlog
|
|
|
|
| 94 |
from typing import AsyncGenerator
|
| 95 |
-
from pydantic_ai import Agent
|
| 96 |
|
| 97 |
from src.utils.config import settings
|
| 98 |
from src.utils.exceptions import DeepCriticalError
|
| 99 |
-
from src.
|
| 100 |
-
AgentEvent,
|
| 101 |
-
AgentState,
|
| 102 |
-
AgentResult,
|
| 103 |
-
Evidence,
|
| 104 |
-
JudgeAssessment,
|
| 105 |
-
)
|
| 106 |
from src.tools.pubmed import PubMedTool
|
| 107 |
from src.tools.websearch import WebTool
|
| 108 |
-
from src.tools.search_handler import SearchHandler
|
| 109 |
from src.agent_factory.judges import JudgeHandler
|
| 110 |
-
from src.
|
| 111 |
|
| 112 |
logger = structlog.get_logger()
|
| 113 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 114 |
|
| 115 |
-
|
| 116 |
-
"""Get the PydanticAI model string from settings."""
|
| 117 |
-
provider = settings.llm_provider
|
| 118 |
-
model = settings.llm_model
|
| 119 |
-
if ":" in model:
|
| 120 |
-
return model
|
| 121 |
-
return f"{provider}:{model}"
|
| 122 |
-
|
| 123 |
-
|
| 124 |
-
# Synthesis agent for generating the final report
|
| 125 |
-
synthesis_agent = Agent(
|
| 126 |
-
model=_get_model_string(),
|
| 127 |
-
result_type=str,
|
| 128 |
-
system_prompt="""You are a biomedical research report writer.
|
| 129 |
-
Generate comprehensive, well-structured markdown reports on drug repurposing research.
|
| 130 |
-
Include citations, mechanisms of action, and recommendations.
|
| 131 |
-
Be objective and scientific.""",
|
| 132 |
-
)
|
| 133 |
|
|
|
|
|
|
|
| 134 |
|
| 135 |
class Orchestrator:
|
| 136 |
"""Main orchestrator for the DeepCritical agent."""
|
|
@@ -317,16 +282,7 @@ class Orchestrator:
|
|
| 317 |
evidence: list[Evidence],
|
| 318 |
assessment: JudgeAssessment | None,
|
| 319 |
) -> str:
|
| 320 |
-
"""Generate the final research report.
|
| 321 |
-
|
| 322 |
-
Args:
|
| 323 |
-
question: The research question.
|
| 324 |
-
evidence: All collected evidence.
|
| 325 |
-
assessment: The final judge assessment.
|
| 326 |
-
|
| 327 |
-
Returns:
|
| 328 |
-
Markdown formatted report.
|
| 329 |
-
"""
|
| 330 |
if not assessment:
|
| 331 |
# Fallback assessment
|
| 332 |
assessment = JudgeAssessment(
|
|
@@ -346,14 +302,7 @@ class Orchestrator:
|
|
| 346 |
return result.data
|
| 347 |
|
| 348 |
async def run_to_completion(self, question: str) -> AgentResult:
|
| 349 |
-
"""Run the agent and return final result (non-streaming).
|
| 350 |
-
|
| 351 |
-
Args:
|
| 352 |
-
question: The research question.
|
| 353 |
-
|
| 354 |
-
Returns:
|
| 355 |
-
AgentResult with report and metadata.
|
| 356 |
-
"""
|
| 357 |
report = ""
|
| 358 |
evidence_count = 0
|
| 359 |
iterations = 0
|
|
@@ -384,6 +333,7 @@ class Orchestrator:
|
|
| 384 |
|
| 385 |
---
|
| 386 |
|
|
|
|
| 387 |
## 4. UI (`src/app.py`)
|
| 388 |
|
| 389 |
```python
|
|
@@ -394,7 +344,6 @@ from typing import AsyncGenerator
|
|
| 394 |
from src.orchestrator import Orchestrator
|
| 395 |
from src.utils.models import AgentEvent, AgentState
|
| 396 |
|
| 397 |
-
|
| 398 |
async def chat(
|
| 399 |
message: str,
|
| 400 |
history: list[list[str]],
|
|
@@ -433,11 +382,7 @@ async def chat(
|
|
| 433 |
|
| 434 |
|
| 435 |
def create_app() -> gr.Blocks:
|
| 436 |
-
"""Create the Gradio application.
|
| 437 |
-
|
| 438 |
-
Returns:
|
| 439 |
-
Configured Gradio Blocks app.
|
| 440 |
-
"""
|
| 441 |
with gr.Blocks(
|
| 442 |
title="DeepCritical - Drug Repurposing Research Agent",
|
| 443 |
theme=gr.themes.Soft(),
|
|
@@ -537,6 +482,7 @@ if __name__ == "__main__":
|
|
| 537 |
|
| 538 |
---
|
| 539 |
|
|
|
|
| 540 |
## 5. Deployment Files
|
| 541 |
|
| 542 |
### `Dockerfile`
|
|
@@ -629,6 +575,7 @@ This tool is for research purposes only. Always consult healthcare professionals
|
|
| 629 |
|
| 630 |
---
|
| 631 |
|
|
|
|
| 632 |
## 6. TDD Workflow
|
| 633 |
|
| 634 |
### Test File: `tests/unit/test_orchestrator.py`
|
|
@@ -638,7 +585,6 @@ This tool is for research purposes only. Always consult healthcare professionals
|
|
| 638 |
import pytest
|
| 639 |
from unittest.mock import AsyncMock, MagicMock, patch
|
| 640 |
|
| 641 |
-
|
| 642 |
class TestOrchestrator:
|
| 643 |
"""Tests for Orchestrator."""
|
| 644 |
|
|
@@ -879,6 +825,7 @@ class TestAgentEvent:
|
|
| 879 |
|
| 880 |
---
|
| 881 |
|
|
|
|
| 882 |
## 7. Implementation Checklist
|
| 883 |
|
| 884 |
- [ ] Add `AgentState`, `AgentEvent`, `AgentResult` models to `src/utils/models.py`
|
|
@@ -886,7 +833,6 @@ class TestAgentEvent:
|
|
| 886 |
- [ ] Implement `src/app.py` (complete Gradio UI)
|
| 887 |
- [ ] Create `Dockerfile`
|
| 888 |
- [ ] Update root `README.md` for HuggingFace Spaces
|
| 889 |
-
- [ ] Write tests in `tests/unit/test_orchestrator.py`
|
| 890 |
- [ ] Run `uv run pytest tests/unit/test_orchestrator.py -v` β **ALL TESTS MUST PASS**
|
| 891 |
- [ ] Run `uv run ruff check src` β **NO ERRORS**
|
| 892 |
- [ ] Run `uv run mypy src` β **NO ERRORS**
|
|
@@ -897,6 +843,7 @@ class TestAgentEvent:
|
|
| 897 |
|
| 898 |
---
|
| 899 |
|
|
|
|
| 900 |
## 8. Definition of Done
|
| 901 |
|
| 902 |
Phase 4 is **COMPLETE** when:
|
|
@@ -923,54 +870,4 @@ uv run python src/app.py
|
|
| 923 |
# - No errors in console
|
| 924 |
```
|
| 925 |
|
| 926 |
-
|
| 927 |
-
|
| 928 |
-
## 9. Deployment to HuggingFace Spaces
|
| 929 |
-
|
| 930 |
-
### Option A: Via GitHub (Recommended)
|
| 931 |
-
|
| 932 |
-
1. Push your code to GitHub
|
| 933 |
-
2. Create a new Space on HuggingFace (Gradio SDK)
|
| 934 |
-
3. Connect your GitHub repo
|
| 935 |
-
4. Add secrets in Space settings:
|
| 936 |
-
- `OPENAI_API_KEY` (or `ANTHROPIC_API_KEY`)
|
| 937 |
-
5. Deploy automatically on push
|
| 938 |
-
|
| 939 |
-
### Option B: Manual Upload
|
| 940 |
-
|
| 941 |
-
1. Create new Gradio Space on HuggingFace
|
| 942 |
-
2. Upload all files:
|
| 943 |
-
- `src/` directory
|
| 944 |
-
- `pyproject.toml`
|
| 945 |
-
- `README.md`
|
| 946 |
-
3. Add secrets in Space settings
|
| 947 |
-
4. Wait for build
|
| 948 |
-
|
| 949 |
-
### Verify Deployment
|
| 950 |
-
|
| 951 |
-
1. Visit your Space URL
|
| 952 |
-
2. Ask: "What drugs could treat long COVID?"
|
| 953 |
-
3. Verify:
|
| 954 |
-
- Streaming events appear
|
| 955 |
-
- Final report is generated
|
| 956 |
-
- No timeout errors
|
| 957 |
-
|
| 958 |
-
---
|
| 959 |
-
|
| 960 |
-
## 10. Post-MVP Enhancements (Optional)
|
| 961 |
-
|
| 962 |
-
After completing the MVP, consider:
|
| 963 |
-
|
| 964 |
-
1. **RAG Enhancement**: Add vector storage for evidence retrieval
|
| 965 |
-
2. **Clinical Trials**: Integrate ClinicalTrials.gov API
|
| 966 |
-
3. **Drug Database**: Add DrugBank or ChEMBL integration
|
| 967 |
-
4. **Report Export**: Add PDF/DOCX export
|
| 968 |
-
5. **History**: Save research sessions
|
| 969 |
-
6. **Multi-turn**: Allow follow-up questions
|
| 970 |
-
|
| 971 |
-
---
|
| 972 |
-
|
| 973 |
-
**π Congratulations! Phase 4 is the MVP.**
|
| 974 |
-
|
| 975 |
-
After completing Phase 4, you have a working drug repurposing research agent
|
| 976 |
-
that can be demonstrated at the hackathon!
|
|
|
|
| 10 |
## 1. The Slice Definition
|
| 11 |
|
| 12 |
This slice connects:
|
| 13 |
+
1. **Orchestrator**: The loop calling `SearchHandler` β `JudgeHandler`.
|
| 14 |
+
2. **UI**: Gradio app.
|
|
|
|
|
|
|
| 15 |
|
| 16 |
**Files**:
|
| 17 |
+
- `src/utils/models.py`: Add Orchestrator models
|
| 18 |
+
- `src/orchestrator.py`: Main logic
|
| 19 |
+
- `src/app.py`: UI
|
|
|
|
|
|
|
| 20 |
|
| 21 |
---
|
| 22 |
|
| 23 |
## 2. Models (`src/utils/models.py`)
|
| 24 |
|
| 25 |
+
Add to models file:
|
| 26 |
|
| 27 |
```python
|
|
|
|
|
|
|
| 28 |
from enum import Enum
|
|
|
|
|
|
|
| 29 |
|
| 30 |
class AgentState(str, Enum):
|
|
|
|
|
|
|
| 31 |
INITIALIZING = "initializing"
|
| 32 |
SEARCHING = "searching"
|
| 33 |
JUDGING = "judging"
|
|
|
|
| 35 |
COMPLETE = "complete"
|
| 36 |
ERROR = "error"
|
| 37 |
|
|
|
|
| 38 |
class AgentEvent(BaseModel):
|
| 39 |
+
state: AgentState
|
| 40 |
+
message: str
|
| 41 |
+
iteration: int = 0
|
| 42 |
+
data: dict[str, Any] | None = None
|
| 43 |
+
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 44 |
def to_display(self) -> str:
|
| 45 |
"""Format for UI display."""
|
| 46 |
+
emoji_map = {
|
| 47 |
+
AgentState.INITIALIZING: "β³",
|
| 48 |
AgentState.SEARCHING: "π",
|
| 49 |
+
AgentState.JUDGING: "π§ ",
|
| 50 |
AgentState.SYNTHESIZING: "π",
|
| 51 |
AgentState.COMPLETE: "β
",
|
| 52 |
AgentState.ERROR: "β",
|
| 53 |
+
}
|
| 54 |
+
emoji = emoji_map.get(self.state, "")
|
| 55 |
+
return f"{emoji} **[{self.state.value.upper()}]** {self.message}"
|
| 56 |
|
| 57 |
class AgentResult(BaseModel):
|
| 58 |
+
"""Final result of the agent execution."""
|
| 59 |
+
question: str
|
| 60 |
+
report: str
|
| 61 |
+
evidence_count: int
|
| 62 |
+
iterations: int
|
| 63 |
+
candidates: list[Any] = Field(default_factory=list)
|
| 64 |
+
quality_score: int = 0
|
|
|
|
|
|
|
|
|
|
|
|
|
| 65 |
```
|
| 66 |
|
| 67 |
---
|
| 68 |
|
| 69 |
+
|
| 70 |
## 3. Orchestrator (`src/orchestrator.py`)
|
| 71 |
|
| 72 |
```python
|
| 73 |
+
"""Main agent orchestrator."""
|
| 74 |
import structlog
|
| 75 |
+
import asyncio
|
| 76 |
from typing import AsyncGenerator
|
|
|
|
| 77 |
|
| 78 |
from src.utils.config import settings
|
| 79 |
from src.utils.exceptions import DeepCriticalError
|
| 80 |
+
from src.tools.search_handler import SearchHandler
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 81 |
from src.tools.pubmed import PubMedTool
|
| 82 |
from src.tools.websearch import WebTool
|
|
|
|
| 83 |
from src.agent_factory.judges import JudgeHandler
|
| 84 |
+
from src.utils.models import AgentEvent, AgentState, Evidence, JudgeAssessment, AgentResult
|
| 85 |
|
| 86 |
logger = structlog.get_logger()
|
| 87 |
|
| 88 |
+
# Placeholder for Synthesis Agent (Phase 5)
|
| 89 |
+
class MockSynthesisAgent:
|
| 90 |
+
async def run(self, prompt):
|
| 91 |
+
class Result:
|
| 92 |
+
data = "Research Report (Synthesis not implemented yet)\n\n" + prompt[:500] + "..."
|
| 93 |
+
return Result()
|
| 94 |
|
| 95 |
+
synthesis_agent = MockSynthesisAgent()
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 96 |
|
| 97 |
+
def build_synthesis_prompt(question, assessment, evidence):
|
| 98 |
+
return f"Question: {question}\nAssessment: {assessment}\nEvidence: {len(evidence)} items"
|
| 99 |
|
| 100 |
class Orchestrator:
|
| 101 |
"""Main orchestrator for the DeepCritical agent."""
|
|
|
|
| 282 |
evidence: list[Evidence],
|
| 283 |
assessment: JudgeAssessment | None,
|
| 284 |
) -> str:
|
| 285 |
+
"""Generate the final research report."""
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 286 |
if not assessment:
|
| 287 |
# Fallback assessment
|
| 288 |
assessment = JudgeAssessment(
|
|
|
|
| 302 |
return result.data
|
| 303 |
|
| 304 |
async def run_to_completion(self, question: str) -> AgentResult:
|
| 305 |
+
"""Run the agent and return final result (non-streaming)."""
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 306 |
report = ""
|
| 307 |
evidence_count = 0
|
| 308 |
iterations = 0
|
|
|
|
| 333 |
|
| 334 |
---
|
| 335 |
|
| 336 |
+
|
| 337 |
## 4. UI (`src/app.py`)
|
| 338 |
|
| 339 |
```python
|
|
|
|
| 344 |
from src.orchestrator import Orchestrator
|
| 345 |
from src.utils.models import AgentEvent, AgentState
|
| 346 |
|
|
|
|
| 347 |
async def chat(
|
| 348 |
message: str,
|
| 349 |
history: list[list[str]],
|
|
|
|
| 382 |
|
| 383 |
|
| 384 |
def create_app() -> gr.Blocks:
|
| 385 |
+
"""Create the Gradio application."""
|
|
|
|
|
|
|
|
|
|
|
|
|
| 386 |
with gr.Blocks(
|
| 387 |
title="DeepCritical - Drug Repurposing Research Agent",
|
| 388 |
theme=gr.themes.Soft(),
|
|
|
|
| 482 |
|
| 483 |
---
|
| 484 |
|
| 485 |
+
|
| 486 |
## 5. Deployment Files
|
| 487 |
|
| 488 |
### `Dockerfile`
|
|
|
|
| 575 |
|
| 576 |
---
|
| 577 |
|
| 578 |
+
|
| 579 |
## 6. TDD Workflow
|
| 580 |
|
| 581 |
### Test File: `tests/unit/test_orchestrator.py`
|
|
|
|
| 585 |
import pytest
|
| 586 |
from unittest.mock import AsyncMock, MagicMock, patch
|
| 587 |
|
|
|
|
| 588 |
class TestOrchestrator:
|
| 589 |
"""Tests for Orchestrator."""
|
| 590 |
|
|
|
|
| 825 |
|
| 826 |
---
|
| 827 |
|
| 828 |
+
|
| 829 |
## 7. Implementation Checklist
|
| 830 |
|
| 831 |
- [ ] Add `AgentState`, `AgentEvent`, `AgentResult` models to `src/utils/models.py`
|
|
|
|
| 833 |
- [ ] Implement `src/app.py` (complete Gradio UI)
|
| 834 |
- [ ] Create `Dockerfile`
|
| 835 |
- [ ] Update root `README.md` for HuggingFace Spaces
|
|
|
|
| 836 |
- [ ] Run `uv run pytest tests/unit/test_orchestrator.py -v` β **ALL TESTS MUST PASS**
|
| 837 |
- [ ] Run `uv run ruff check src` β **NO ERRORS**
|
| 838 |
- [ ] Run `uv run mypy src` β **NO ERRORS**
|
|
|
|
| 843 |
|
| 844 |
---
|
| 845 |
|
| 846 |
+
|
| 847 |
## 8. Definition of Done
|
| 848 |
|
| 849 |
Phase 4 is **COMPLETE** when:
|
|
|
|
| 870 |
# - No errors in console
|
| 871 |
```
|
| 872 |
|
| 873 |
+
```
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
docs/implementation/roadmap.md
CHANGED
|
@@ -38,9 +38,7 @@ Each slice implements a feature from **Entry Point (UI/API) β Logic β Data/E
|
|
| 38 |
|
| 39 |
We use the **existing scaffolding** from the maintainer, filling in the empty files.
|
| 40 |
|
| 41 |
-
> **Note**: The maintainer created some placeholder files (`agents.py`, `code_execution.py`,
|
| 42 |
-
> `dataloaders.py`, `parsers.py`) that are currently empty. We leave these for future use
|
| 43 |
-
> and focus on the files needed for the MVP.
|
| 44 |
|
| 45 |
```
|
| 46 |
deepcritical/
|
|
@@ -236,4 +234,4 @@ Update this table as you complete each phase!
|
|
| 236 |
|
| 237 |
---
|
| 238 |
|
| 239 |
-
*Start by reading [Phase 1 Spec](01_phase_foundation.md) to initialize the repo.*
|
|
|
|
| 38 |
|
| 39 |
We use the **existing scaffolding** from the maintainer, filling in the empty files.
|
| 40 |
|
| 41 |
+
> **Note**: The maintainer created some placeholder files (`agents.py`, `code_execution.py`, `dataloaders.py`, `parsers.py`) that are currently empty. We leave these for future use and focus on the files needed for the MVP.
|
|
|
|
|
|
|
| 42 |
|
| 43 |
```
|
| 44 |
deepcritical/
|
|
|
|
| 234 |
|
| 235 |
---
|
| 236 |
|
| 237 |
+
*Start by reading [Phase 1 Spec](01_phase_foundation.md) to initialize the repo.*
|