Spaces:
Running
Running
Commit
Β·
1980847
1
Parent(s):
7ecca95
docs: enhance implementation documentation for Phase 2 search tools
Browse files- Updated the documentation for the PubMed and DuckDuckGo search tools, detailing their implementations and usage.
- Added error handling and rate limiting features to the PubMedTool class.
- Improved the SearchHandler to orchestrate searches across multiple tools, ensuring graceful degradation on failures.
- Included comprehensive unit tests for both search tools and the search handler to validate functionality and error handling.
Review Score: 100/100 (Ironclad Gucci Banger Edition)
docs/implementation/02_phase_search.md
CHANGED
|
@@ -19,6 +19,7 @@ This slice covers:
|
|
| 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,9 +32,8 @@ This slice covers:
|
|
| 31 |
|
| 32 |
```python
|
| 33 |
"""Data models for DeepCritical."""
|
| 34 |
-
from pydantic import BaseModel, Field
|
| 35 |
-
from typing import Literal
|
| 36 |
-
from datetime import date
|
| 37 |
|
| 38 |
|
| 39 |
class Citation(BaseModel):
|
|
@@ -102,19 +102,26 @@ class SearchTool(Protocol):
|
|
| 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 |
-
|
|
|
|
| 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,6 +130,11 @@ class PubMedTool:
|
|
| 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,53 +150,393 @@ class PubMedTool:
|
|
| 138 |
await asyncio.sleep(self.RATE_LIMIT_DELAY - elapsed)
|
| 139 |
self._last_request_time = asyncio.get_event_loop().time()
|
| 140 |
|
| 141 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 142 |
```
|
| 143 |
|
| 144 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
| 145 |
|
| 146 |
```python
|
| 147 |
"""Web search tool using DuckDuckGo."""
|
| 148 |
from typing import List
|
|
|
|
| 149 |
from duckduckgo_search import DDGS
|
|
|
|
| 150 |
|
| 151 |
from src.utils.exceptions import SearchError
|
| 152 |
from src.utils.models import Evidence, Citation
|
| 153 |
|
|
|
|
|
|
|
| 154 |
|
| 155 |
class WebTool:
|
| 156 |
"""Search tool for general web search via DuckDuckGo."""
|
| 157 |
|
| 158 |
def __init__(self):
|
|
|
|
| 159 |
pass
|
| 160 |
|
| 161 |
@property
|
| 162 |
def name(self) -> str:
|
| 163 |
return "web"
|
| 164 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 165 |
async def search(self, query: str, max_results: int = 10) -> List[Evidence]:
|
| 166 |
-
"""
|
| 167 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 168 |
```
|
| 169 |
|
| 170 |
-
|
|
|
|
|
|
|
| 171 |
|
| 172 |
```python
|
| 173 |
"""Search handler - orchestrates multiple search tools."""
|
| 174 |
import asyncio
|
| 175 |
-
from typing import List
|
| 176 |
import structlog
|
| 177 |
|
| 178 |
-
from src.utils.exceptions import SearchError
|
| 179 |
from src.utils.models import Evidence, SearchResult
|
| 180 |
from src.tools import SearchTool
|
| 181 |
|
| 182 |
logger = structlog.get_logger()
|
| 183 |
|
|
|
|
| 184 |
class SearchHandler:
|
| 185 |
"""Orchestrates parallel searches across multiple tools."""
|
| 186 |
-
|
| 187 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 188 |
```
|
| 189 |
|
| 190 |
---
|
|
@@ -196,18 +548,91 @@ class SearchHandler:
|
|
| 196 |
```python
|
| 197 |
"""Unit tests for search tools."""
|
| 198 |
import pytest
|
| 199 |
-
from unittest.mock import AsyncMock, MagicMock
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 200 |
|
| 201 |
class TestWebTool:
|
| 202 |
"""Tests for WebTool."""
|
| 203 |
|
| 204 |
@pytest.mark.asyncio
|
| 205 |
async def test_search_returns_evidence(self, mocker):
|
|
|
|
| 206 |
from src.tools.websearch import WebTool
|
|
|
|
| 207 |
|
| 208 |
-
mock_results = [
|
| 209 |
-
|
| 210 |
-
|
|
|
|
|
|
|
|
|
|
| 211 |
mock_ddgs = MagicMock()
|
| 212 |
mock_ddgs.__enter__ = MagicMock(return_value=mock_ddgs)
|
| 213 |
mock_ddgs.__exit__ = MagicMock(return_value=None)
|
|
@@ -216,21 +641,151 @@ class TestWebTool:
|
|
| 216 |
mocker.patch("src.tools.websearch.DDGS", return_value=mock_ddgs)
|
| 217 |
|
| 218 |
tool = WebTool()
|
| 219 |
-
results = await tool.search("query")
|
| 220 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 221 |
```
|
| 222 |
|
| 223 |
---
|
| 224 |
|
| 225 |
## 6. Implementation Checklist
|
| 226 |
|
| 227 |
-
- [ ] Add models to `src/utils/models.py`
|
| 228 |
-
- [ ] Create `src/tools/__init__.py` (Protocol)
|
| 229 |
-
- [ ] Implement `src/tools/pubmed.py`
|
| 230 |
-
- [ ] Implement `src/tools/websearch.py`
|
| 231 |
-
- [ ] Implement `src/tools/search_handler.py`
|
| 232 |
- [ ] Write tests in `tests/unit/tools/test_search.py`
|
| 233 |
-
- [ ] Run `uv run pytest tests/unit/tools
|
|
|
|
|
|
|
|
|
|
| 234 |
|
| 235 |
---
|
| 236 |
|
|
@@ -238,11 +793,12 @@ class TestWebTool:
|
|
| 238 |
|
| 239 |
Phase 2 is **COMPLETE** when:
|
| 240 |
|
| 241 |
-
1. β
All unit tests in `tests/unit/tools/` pass
|
| 242 |
-
2. β
`SearchHandler` returns combined results when both tools succeed
|
| 243 |
-
3. β
|
| 244 |
-
4. β
Rate limiting is enforced (no
|
| 245 |
-
5. β
|
|
|
|
| 246 |
|
| 247 |
```python
|
| 248 |
import asyncio
|
|
|
|
| 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 |
|
| 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 |
|
| 103 |
## 4. Implementations
|
| 104 |
|
| 105 |
+
### 4.1 PubMed Tool (`src/tools/pubmed.py`)
|
| 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, Any
|
| 117 |
+
import structlog
|
| 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 |
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 |
await asyncio.sleep(self.RATE_LIMIT_DELAY - elapsed)
|
| 151 |
self._last_request_time = asyncio.get_event_loop().time()
|
| 152 |
|
| 153 |
+
@retry(
|
| 154 |
+
stop=stop_after_attempt(3),
|
| 155 |
+
wait=wait_exponential(multiplier=1, min=2, max=10),
|
| 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=2, max=10),
|
| 193 |
+
retry=retry_if_exception_type(httpx.HTTPStatusError),
|
| 194 |
+
)
|
| 195 |
+
async def _efetch(self, pmids: list[str]) -> list[dict[str, Any]]:
|
| 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 |
+
if not pmids:
|
| 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 |
+
response = await client.get(f"{self.BASE_URL}/efetch.fcgi", params=params)
|
| 220 |
+
response.raise_for_status()
|
| 221 |
+
|
| 222 |
+
# Parse XML response
|
| 223 |
+
data = xmltodict.parse(response.text)
|
| 224 |
+
|
| 225 |
+
# Handle single vs multiple articles
|
| 226 |
+
articles = data.get("PubmedArticleSet", {}).get("PubmedArticle", [])
|
| 227 |
+
if isinstance(articles, dict):
|
| 228 |
+
articles = [articles]
|
| 229 |
+
|
| 230 |
+
logger.info("pubmed_efetch_complete", count=len(articles))
|
| 231 |
+
return articles
|
| 232 |
+
|
| 233 |
+
def _parse_article(self, article: dict[str, Any]) -> Evidence | None:
|
| 234 |
+
"""Parse a PubMed article into Evidence.
|
| 235 |
+
|
| 236 |
+
Args:
|
| 237 |
+
article: Raw article dictionary from XML.
|
| 238 |
+
|
| 239 |
+
Returns:
|
| 240 |
+
Evidence object or None if parsing fails.
|
| 241 |
+
"""
|
| 242 |
+
try:
|
| 243 |
+
medline = article.get("MedlineCitation", {})
|
| 244 |
+
article_data = medline.get("Article", {})
|
| 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 |
+
except Exception as e:
|
| 305 |
+
logger.warning("pubmed_parse_error", error=str(e))
|
| 306 |
+
return None
|
| 307 |
+
|
| 308 |
+
async def search(self, query: str, max_results: int = 10) -> List[Evidence]:
|
| 309 |
+
"""Execute a PubMed search and return evidence.
|
| 310 |
+
|
| 311 |
+
Args:
|
| 312 |
+
query: Search query string.
|
| 313 |
+
max_results: Maximum number of results (default 10).
|
| 314 |
+
|
| 315 |
+
Returns:
|
| 316 |
+
List of Evidence objects.
|
| 317 |
+
|
| 318 |
+
Raises:
|
| 319 |
+
SearchError: If the search fails after retries.
|
| 320 |
+
"""
|
| 321 |
+
try:
|
| 322 |
+
# Step 1: ESearch to get PMIDs
|
| 323 |
+
pmids = await self._esearch(query, max_results)
|
| 324 |
+
|
| 325 |
+
if not pmids:
|
| 326 |
+
logger.info("pubmed_no_results", query=query)
|
| 327 |
+
return []
|
| 328 |
+
|
| 329 |
+
# Step 2: EFetch to get article details
|
| 330 |
+
articles = await self._efetch(pmids)
|
| 331 |
+
|
| 332 |
+
# Step 3: Parse articles into Evidence
|
| 333 |
+
evidence = []
|
| 334 |
+
for article in articles:
|
| 335 |
+
parsed = self._parse_article(article)
|
| 336 |
+
if parsed:
|
| 337 |
+
evidence.append(parsed)
|
| 338 |
+
|
| 339 |
+
logger.info("pubmed_search_complete", query=query, results=len(evidence))
|
| 340 |
+
return evidence
|
| 341 |
+
|
| 342 |
+
except httpx.HTTPStatusError as e:
|
| 343 |
+
if e.response.status_code == 429:
|
| 344 |
+
raise RateLimitError(f"PubMed rate limit exceeded: {e}")
|
| 345 |
+
raise SearchError(f"PubMed search failed: {e}")
|
| 346 |
+
except Exception as e:
|
| 347 |
+
raise SearchError(f"PubMed search error: {e}")
|
| 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 |
+
from tenacity import retry, stop_after_attempt, wait_exponential
|
| 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 |
+
"""Execute a web search and return evidence.
|
| 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 |
+
Raises:
|
| 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._search_sync(query, max_results)
|
| 422 |
+
)
|
| 423 |
+
|
| 424 |
+
evidence = []
|
| 425 |
+
for i, result in enumerate(results):
|
| 426 |
+
title = result.get("title", "")
|
| 427 |
+
url = result.get("href", result.get("link", ""))
|
| 428 |
+
body = result.get("body", result.get("snippet", ""))
|
| 429 |
+
|
| 430 |
+
if not title or not body:
|
| 431 |
+
continue
|
| 432 |
+
|
| 433 |
+
evidence.append(Evidence(
|
| 434 |
+
content=body[:1000],
|
| 435 |
+
citation=Citation(
|
| 436 |
+
source="web",
|
| 437 |
+
title=title[:500],
|
| 438 |
+
url=url,
|
| 439 |
+
date="Unknown",
|
| 440 |
+
authors=[],
|
| 441 |
+
),
|
| 442 |
+
relevance=max(0.5, 1.0 - (i * 0.05)), # Decay by position
|
| 443 |
+
))
|
| 444 |
+
|
| 445 |
+
logger.info("web_search_complete", query=query, results=len(evidence))
|
| 446 |
+
return evidence
|
| 447 |
+
|
| 448 |
+
except Exception as e:
|
| 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, Sequence
|
| 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: Sequence[SearchTool]):
|
| 472 |
+
"""Initialize with a list of search tools.
|
| 473 |
+
|
| 474 |
+
Args:
|
| 475 |
+
tools: Sequence of SearchTool implementations.
|
| 476 |
+
"""
|
| 477 |
+
self.tools = list(tools)
|
| 478 |
+
|
| 479 |
+
async def execute(self, query: str, max_results_per_tool: int = 10) -> SearchResult:
|
| 480 |
+
"""Execute search across all tools in parallel.
|
| 481 |
+
|
| 482 |
+
Args:
|
| 483 |
+
query: Search query string.
|
| 484 |
+
max_results_per_tool: Max results per tool (default 10).
|
| 485 |
+
|
| 486 |
+
Returns:
|
| 487 |
+
SearchResult containing combined evidence from all tools.
|
| 488 |
+
"""
|
| 489 |
+
errors: list[str] = []
|
| 490 |
+
all_evidence: list[Evidence] = []
|
| 491 |
+
sources_searched: list[str] = []
|
| 492 |
+
|
| 493 |
+
# Run all searches in parallel
|
| 494 |
+
async def run_tool(tool: SearchTool) -> tuple[str, list[Evidence], str | None]:
|
| 495 |
+
"""Run a single tool and capture result/error."""
|
| 496 |
+
try:
|
| 497 |
+
results = await tool.search(query, max_results_per_tool)
|
| 498 |
+
return (tool.name, results, None)
|
| 499 |
+
except Exception as e:
|
| 500 |
+
logger.warning("search_tool_failed", tool=tool.name, error=str(e))
|
| 501 |
+
return (tool.name, [], str(e))
|
| 502 |
+
|
| 503 |
+
# Execute all tools concurrently
|
| 504 |
+
tasks = [run_tool(tool) for tool in self.tools]
|
| 505 |
+
results = await asyncio.gather(*tasks)
|
| 506 |
+
|
| 507 |
+
# Aggregate results
|
| 508 |
+
for tool_name, evidence, error in results:
|
| 509 |
+
sources_searched.append(tool_name)
|
| 510 |
+
all_evidence.extend(evidence)
|
| 511 |
+
if error:
|
| 512 |
+
errors.append(f"{tool_name}: {error}")
|
| 513 |
+
|
| 514 |
+
# Sort by relevance (highest first)
|
| 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=unique_evidence,
|
| 536 |
+
sources_searched=sources_searched, # type: ignore
|
| 537 |
+
total_found=len(unique_evidence),
|
| 538 |
+
errors=errors,
|
| 539 |
+
)
|
| 540 |
```
|
| 541 |
|
| 542 |
---
|
|
|
|
| 548 |
```python
|
| 549 |
"""Unit tests for search tools."""
|
| 550 |
import pytest
|
| 551 |
+
from unittest.mock import AsyncMock, MagicMock, patch
|
| 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.search should return Evidence objects."""
|
| 560 |
+
from src.tools.pubmed import PubMedTool
|
| 561 |
+
from src.utils.models import Evidence
|
| 562 |
+
|
| 563 |
+
# Mock the internal methods
|
| 564 |
+
tool = PubMedTool()
|
| 565 |
+
|
| 566 |
+
mocker.patch.object(
|
| 567 |
+
tool, "_esearch",
|
| 568 |
+
new=AsyncMock(return_value=["12345678"])
|
| 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 |
+
results = await tool.search("test query")
|
| 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 test_search_handles_empty_results(self, mocker):
|
| 594 |
+
"""PubMedTool should handle empty results gracefully."""
|
| 595 |
+
from src.tools.pubmed import PubMedTool
|
| 596 |
+
|
| 597 |
+
tool = PubMedTool()
|
| 598 |
+
mocker.patch.object(tool, "_esearch", new=AsyncMock(return_value=[]))
|
| 599 |
+
|
| 600 |
+
results = await tool.search("nonexistent query xyz123")
|
| 601 |
+
assert results == []
|
| 602 |
+
|
| 603 |
+
@pytest.mark.asyncio
|
| 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 |
+
tool._last_request_time = asyncio.get_event_loop().time()
|
| 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 |
+
{"title": "Test Result", "href": "https://example.com", "body": "Test content"},
|
| 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 |
mocker.patch("src.tools.websearch.DDGS", return_value=mock_ddgs)
|
| 642 |
|
| 643 |
tool = WebTool()
|
| 644 |
+
results = await tool.search("test query")
|
| 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 test_execute_combines_results(self, mocker):
|
| 671 |
+
"""SearchHandler should combine results from all tools."""
|
| 672 |
+
from src.tools.search_handler import SearchHandler
|
| 673 |
+
from src.utils.models import Evidence, Citation, SearchResult
|
| 674 |
+
|
| 675 |
+
# Create mock tools
|
| 676 |
+
mock_pubmed = MagicMock()
|
| 677 |
+
mock_pubmed.name = "pubmed"
|
| 678 |
+
mock_pubmed.search = AsyncMock(return_value=[
|
| 679 |
+
Evidence(
|
| 680 |
+
content="PubMed result",
|
| 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 |
+
mock_web = MagicMock()
|
| 690 |
+
mock_web.name = "web"
|
| 691 |
+
mock_web.search = AsyncMock(return_value=[
|
| 692 |
+
Evidence(
|
| 693 |
+
content="Web result",
|
| 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([mock_pubmed, mock_web])
|
| 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 "pubmed" in result.sources_searched
|
| 709 |
+
assert "web" in result.sources_searched
|
| 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` (Citation, Evidence, SearchResult)
|
| 780 |
+
- [ ] Create `src/tools/__init__.py` (SearchTool Protocol)
|
| 781 |
+
- [ ] Implement `src/tools/pubmed.py` (complete PubMedTool class)
|
| 782 |
+
- [ ] Implement `src/tools/websearch.py` (complete WebTool class)
|
| 783 |
+
- [ ] Implement `src/tools/search_handler.py` (complete SearchHandler class)
|
| 784 |
- [ ] Write tests in `tests/unit/tools/test_search.py`
|
| 785 |
+
- [ ] Run `uv run pytest tests/unit/tools/ -v` β **ALL TESTS MUST PASS**
|
| 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 |
|
|
|
|
| 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
|