Spaces:
Running
Running
Commit
Β·
d0b14c0
1
Parent(s):
b1310d3
docs: enhance Phase 4 documentation with detailed implementation and deployment instructions
Browse files- Expanded the documentation for the Orchestrator and Gradio UI, detailing the agent's workflow and event handling.
- Updated the roadmap to clarify the organization of placeholder files and their future use.
- Included comprehensive deployment instructions for Docker and HuggingFace Spaces.
- Revised 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/04_phase_ui.md +885 -49
- docs/implementation/roadmap.md +11 -4
docs/implementation/04_phase_ui.md
CHANGED
|
@@ -10,33 +10,78 @@
|
|
| 10 |
## 1. The Slice Definition
|
| 11 |
|
| 12 |
This slice connects:
|
| 13 |
-
1. **Orchestrator**: The loop calling `SearchHandler` β `JudgeHandler`.
|
| 14 |
-
2. **
|
|
|
|
|
|
|
| 15 |
|
| 16 |
**Files**:
|
| 17 |
-
- `src/utils/models.py`: Add
|
| 18 |
-
- `src/orchestrator.py`: Main
|
| 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 |
SEARCHING = "searching"
|
| 32 |
JUDGING = "judging"
|
|
|
|
| 33 |
COMPLETE = "complete"
|
| 34 |
ERROR = "error"
|
| 35 |
|
|
|
|
| 36 |
class AgentEvent(BaseModel):
|
| 37 |
-
|
| 38 |
-
|
| 39 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 40 |
```
|
| 41 |
|
| 42 |
---
|
|
@@ -44,28 +89,297 @@ class AgentEvent(BaseModel):
|
|
| 44 |
## 3. Orchestrator (`src/orchestrator.py`)
|
| 45 |
|
| 46 |
```python
|
| 47 |
-
"""Main agent orchestrator."""
|
| 48 |
import structlog
|
| 49 |
from typing import AsyncGenerator
|
|
|
|
| 50 |
|
| 51 |
from src.utils.config import settings
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 52 |
from src.tools.search_handler import SearchHandler
|
| 53 |
from src.agent_factory.judges import JudgeHandler
|
| 54 |
-
from src.
|
| 55 |
|
| 56 |
logger = structlog.get_logger()
|
| 57 |
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 58 |
class Orchestrator:
|
| 59 |
-
|
| 60 |
-
|
| 61 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 62 |
|
| 63 |
async def run(self, question: str) -> AsyncGenerator[AgentEvent, None]:
|
| 64 |
-
"""Run the loop.
|
| 65 |
-
|
| 66 |
-
|
| 67 |
-
|
| 68 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 69 |
```
|
| 70 |
|
| 71 |
---
|
|
@@ -73,68 +387,590 @@ class Orchestrator:
|
|
| 73 |
## 4. UI (`src/app.py`)
|
| 74 |
|
| 75 |
```python
|
| 76 |
-
"""Gradio UI."""
|
| 77 |
import gradio as gr
|
|
|
|
|
|
|
| 78 |
from src.orchestrator import Orchestrator
|
|
|
|
| 79 |
|
| 80 |
-
async def chat(message, history):
|
| 81 |
-
agent = Orchestrator()
|
| 82 |
-
async for event in agent.run(message):
|
| 83 |
-
yield f"**[{event.state.value}]** {event.message}"
|
| 84 |
|
| 85 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 86 |
```
|
| 87 |
|
| 88 |
---
|
| 89 |
|
| 90 |
-
## 5.
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 91 |
|
| 92 |
### Test File: `tests/unit/test_orchestrator.py`
|
| 93 |
|
| 94 |
```python
|
| 95 |
"""Unit tests for Orchestrator."""
|
| 96 |
import pytest
|
| 97 |
-
from unittest.mock import AsyncMock
|
|
|
|
| 98 |
|
| 99 |
class TestOrchestrator:
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 100 |
@pytest.mark.asyncio
|
| 101 |
-
async def
|
|
|
|
| 102 |
from src.orchestrator import Orchestrator
|
| 103 |
-
|
| 104 |
-
|
| 105 |
-
#
|
| 106 |
-
|
| 107 |
-
|
| 108 |
-
|
| 109 |
-
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 110 |
```
|
| 111 |
|
| 112 |
---
|
| 113 |
|
| 114 |
-
##
|
| 115 |
|
| 116 |
-
- [ ]
|
| 117 |
-
- [ ] Implement `src/orchestrator.py`
|
| 118 |
-
- [ ] Implement `src/app.py`
|
|
|
|
|
|
|
| 119 |
- [ ] Write tests in `tests/unit/test_orchestrator.py`
|
| 120 |
-
- [ ] Run `uv run
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 121 |
|
| 122 |
---
|
| 123 |
|
| 124 |
-
##
|
| 125 |
|
| 126 |
Phase 4 is **COMPLETE** when:
|
| 127 |
|
| 128 |
-
1. β
|
| 129 |
-
2. β
Orchestrator
|
| 130 |
-
3. β
|
| 131 |
-
4. β
|
| 132 |
-
5. β
|
| 133 |
-
|
| 134 |
-
|
|
|
|
| 135 |
|
| 136 |
```bash
|
|
|
|
| 137 |
uv run python src/app.py
|
| 138 |
-
|
|
|
|
| 139 |
# "What existing drugs might help treat long COVID fatigue?"
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 140 |
```
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
| 10 |
## 1. The Slice Definition
|
| 11 |
|
| 12 |
This slice connects:
|
| 13 |
+
1. **Orchestrator**: The main loop calling `SearchHandler` β `JudgeHandler`.
|
| 14 |
+
2. **Synthesis**: Generate a final markdown report.
|
| 15 |
+
3. **UI**: Gradio streaming chat interface.
|
| 16 |
+
4. **Deployment**: Dockerfile + HuggingFace Spaces config.
|
| 17 |
|
| 18 |
**Files**:
|
| 19 |
+
- `src/utils/models.py`: Add AgentState, AgentEvent
|
| 20 |
+
- `src/orchestrator.py`: Main agent loop
|
| 21 |
+
- `src/app.py`: Gradio UI
|
| 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 these to the existing models file (after JudgeAssessment):
|
| 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"
|
| 44 |
+
SYNTHESIZING = "synthesizing"
|
| 45 |
COMPLETE = "complete"
|
| 46 |
ERROR = "error"
|
| 47 |
|
| 48 |
+
|
| 49 |
class AgentEvent(BaseModel):
|
| 50 |
+
"""An event emitted during agent execution (for streaming UI)."""
|
| 51 |
+
|
| 52 |
+
state: AgentState = Field(description="Current agent state")
|
| 53 |
+
message: str = Field(description="Human-readable status message")
|
| 54 |
+
iteration: int = Field(default=0, ge=0, description="Current iteration number")
|
| 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 |
+
icon = {
|
| 63 |
+
AgentState.INITIALIZING: "π",
|
| 64 |
+
AgentState.SEARCHING: "π",
|
| 65 |
+
AgentState.JUDGING: "βοΈ",
|
| 66 |
+
AgentState.SYNTHESIZING: "π",
|
| 67 |
+
AgentState.COMPLETE: "β
",
|
| 68 |
+
AgentState.ERROR: "β",
|
| 69 |
+
}.get(self.state, "βΆοΈ")
|
| 70 |
+
return f"{icon} **[{self.state.value.upper()}]** {self.message}"
|
| 71 |
+
|
| 72 |
+
|
| 73 |
+
class AgentResult(BaseModel):
|
| 74 |
+
"""Final result from the agent."""
|
| 75 |
+
|
| 76 |
+
question: str = Field(description="The original research question")
|
| 77 |
+
report: str = Field(description="The synthesized markdown report")
|
| 78 |
+
evidence_count: int = Field(description="Total evidence items collected")
|
| 79 |
+
iterations: int = Field(description="Number of search iterations")
|
| 80 |
+
candidates: list["DrugCandidate"] = Field(
|
| 81 |
+
default_factory=list,
|
| 82 |
+
description="Drug candidates identified"
|
| 83 |
+
)
|
| 84 |
+
quality_score: int = Field(default=0, description="Final quality score")
|
| 85 |
```
|
| 86 |
|
| 87 |
---
|
|
|
|
| 89 |
## 3. Orchestrator (`src/orchestrator.py`)
|
| 90 |
|
| 91 |
```python
|
| 92 |
+
"""Main agent orchestrator - coordinates Search β Judge β Synthesize loop."""
|
| 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.utils.models import (
|
| 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.prompts.judge import build_synthesis_prompt
|
| 111 |
|
| 112 |
logger = structlog.get_logger()
|
| 113 |
|
| 114 |
+
|
| 115 |
+
def _get_model_string() -> str:
|
| 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."""
|
| 137 |
+
|
| 138 |
+
def __init__(
|
| 139 |
+
self,
|
| 140 |
+
search_handler: SearchHandler | None = None,
|
| 141 |
+
judge_handler: JudgeHandler | None = None,
|
| 142 |
+
max_iterations: int | None = None,
|
| 143 |
+
):
|
| 144 |
+
"""Initialize the orchestrator.
|
| 145 |
+
|
| 146 |
+
Args:
|
| 147 |
+
search_handler: Optional SearchHandler (for testing).
|
| 148 |
+
judge_handler: Optional JudgeHandler (for testing).
|
| 149 |
+
max_iterations: Max search iterations (default from settings).
|
| 150 |
+
"""
|
| 151 |
+
self.search_handler = search_handler or SearchHandler([
|
| 152 |
+
PubMedTool(),
|
| 153 |
+
WebTool(),
|
| 154 |
+
])
|
| 155 |
+
self.judge_handler = judge_handler or JudgeHandler()
|
| 156 |
+
self.max_iterations = max_iterations or settings.max_iterations
|
| 157 |
|
| 158 |
async def run(self, question: str) -> AsyncGenerator[AgentEvent, None]:
|
| 159 |
+
"""Run the agent loop, yielding events for streaming UI.
|
| 160 |
+
|
| 161 |
+
Args:
|
| 162 |
+
question: The research question to investigate.
|
| 163 |
+
|
| 164 |
+
Yields:
|
| 165 |
+
AgentEvent objects for each state change.
|
| 166 |
+
"""
|
| 167 |
+
logger.info("orchestrator_starting", question=question[:100])
|
| 168 |
+
|
| 169 |
+
# Track state
|
| 170 |
+
all_evidence: list[Evidence] = []
|
| 171 |
+
iteration = 0
|
| 172 |
+
last_assessment: JudgeAssessment | None = None
|
| 173 |
+
|
| 174 |
+
try:
|
| 175 |
+
# Initial event
|
| 176 |
+
yield AgentEvent(
|
| 177 |
+
state=AgentState.INITIALIZING,
|
| 178 |
+
message=f"Starting research on: {question[:100]}...",
|
| 179 |
+
iteration=0,
|
| 180 |
+
)
|
| 181 |
+
|
| 182 |
+
# Main search β judge loop
|
| 183 |
+
while iteration < self.max_iterations:
|
| 184 |
+
iteration += 1
|
| 185 |
+
|
| 186 |
+
# === SEARCH PHASE ===
|
| 187 |
+
yield AgentEvent(
|
| 188 |
+
state=AgentState.SEARCHING,
|
| 189 |
+
message=f"Searching (iteration {iteration}/{self.max_iterations})...",
|
| 190 |
+
iteration=iteration,
|
| 191 |
+
)
|
| 192 |
+
|
| 193 |
+
# Determine search query
|
| 194 |
+
if last_assessment and last_assessment.next_search_queries:
|
| 195 |
+
# Use judge's suggested queries
|
| 196 |
+
search_query = last_assessment.next_search_queries[0]
|
| 197 |
+
else:
|
| 198 |
+
# Use original question
|
| 199 |
+
search_query = question
|
| 200 |
+
|
| 201 |
+
# Execute search
|
| 202 |
+
search_result = await self.search_handler.execute(
|
| 203 |
+
search_query,
|
| 204 |
+
max_results_per_tool=10,
|
| 205 |
+
)
|
| 206 |
+
|
| 207 |
+
# Accumulate evidence (deduplicate by URL)
|
| 208 |
+
existing_urls = {e.citation.url for e in all_evidence}
|
| 209 |
+
new_evidence = [
|
| 210 |
+
e for e in search_result.evidence
|
| 211 |
+
if e.citation.url not in existing_urls
|
| 212 |
+
]
|
| 213 |
+
all_evidence.extend(new_evidence)
|
| 214 |
+
|
| 215 |
+
yield AgentEvent(
|
| 216 |
+
state=AgentState.SEARCHING,
|
| 217 |
+
message=f"Found {len(new_evidence)} new items ({len(all_evidence)} total)",
|
| 218 |
+
iteration=iteration,
|
| 219 |
+
data={
|
| 220 |
+
"new_count": len(new_evidence),
|
| 221 |
+
"total_count": len(all_evidence),
|
| 222 |
+
"sources": search_result.sources_searched,
|
| 223 |
+
},
|
| 224 |
+
)
|
| 225 |
+
|
| 226 |
+
# === JUDGE PHASE ===
|
| 227 |
+
yield AgentEvent(
|
| 228 |
+
state=AgentState.JUDGING,
|
| 229 |
+
message="Evaluating evidence quality...",
|
| 230 |
+
iteration=iteration,
|
| 231 |
+
)
|
| 232 |
+
|
| 233 |
+
last_assessment = await self.judge_handler.assess(
|
| 234 |
+
question,
|
| 235 |
+
all_evidence[-20:], # Evaluate most recent 20 items
|
| 236 |
+
)
|
| 237 |
+
|
| 238 |
+
yield AgentEvent(
|
| 239 |
+
state=AgentState.JUDGING,
|
| 240 |
+
message=(
|
| 241 |
+
f"Quality: {last_assessment.overall_quality_score}/10, "
|
| 242 |
+
f"Coverage: {last_assessment.coverage_score}/10"
|
| 243 |
+
),
|
| 244 |
+
iteration=iteration,
|
| 245 |
+
data={
|
| 246 |
+
"quality_score": last_assessment.overall_quality_score,
|
| 247 |
+
"coverage_score": last_assessment.coverage_score,
|
| 248 |
+
"sufficient": last_assessment.sufficient,
|
| 249 |
+
"candidates": len(last_assessment.candidates),
|
| 250 |
+
},
|
| 251 |
+
)
|
| 252 |
+
|
| 253 |
+
# Check if we should stop
|
| 254 |
+
if not await self.judge_handler.should_continue(last_assessment):
|
| 255 |
+
logger.info(
|
| 256 |
+
"orchestrator_sufficient_evidence",
|
| 257 |
+
iteration=iteration,
|
| 258 |
+
evidence_count=len(all_evidence),
|
| 259 |
+
)
|
| 260 |
+
break
|
| 261 |
+
|
| 262 |
+
# Log why we're continuing
|
| 263 |
+
if last_assessment.gaps:
|
| 264 |
+
logger.info(
|
| 265 |
+
"orchestrator_continuing",
|
| 266 |
+
gaps=last_assessment.gaps[:3],
|
| 267 |
+
next_query=last_assessment.next_search_queries[:1],
|
| 268 |
+
)
|
| 269 |
+
|
| 270 |
+
# === SYNTHESIS PHASE ===
|
| 271 |
+
yield AgentEvent(
|
| 272 |
+
state=AgentState.SYNTHESIZING,
|
| 273 |
+
message="Generating research report...",
|
| 274 |
+
iteration=iteration,
|
| 275 |
+
)
|
| 276 |
+
|
| 277 |
+
report = await self._synthesize_report(
|
| 278 |
+
question,
|
| 279 |
+
all_evidence,
|
| 280 |
+
last_assessment,
|
| 281 |
+
)
|
| 282 |
+
|
| 283 |
+
# === COMPLETE ===
|
| 284 |
+
yield AgentEvent(
|
| 285 |
+
state=AgentState.COMPLETE,
|
| 286 |
+
message="Research complete!",
|
| 287 |
+
iteration=iteration,
|
| 288 |
+
data={
|
| 289 |
+
"evidence_count": len(all_evidence),
|
| 290 |
+
"candidates": (
|
| 291 |
+
len(last_assessment.candidates) if last_assessment else 0
|
| 292 |
+
),
|
| 293 |
+
"report_length": len(report),
|
| 294 |
+
},
|
| 295 |
+
)
|
| 296 |
+
|
| 297 |
+
# Yield final report as special event
|
| 298 |
+
yield AgentEvent(
|
| 299 |
+
state=AgentState.COMPLETE,
|
| 300 |
+
message=report, # The report itself
|
| 301 |
+
iteration=iteration,
|
| 302 |
+
data={"is_report": True},
|
| 303 |
+
)
|
| 304 |
+
|
| 305 |
+
except Exception as e:
|
| 306 |
+
logger.error("orchestrator_error", error=str(e))
|
| 307 |
+
yield AgentEvent(
|
| 308 |
+
state=AgentState.ERROR,
|
| 309 |
+
message=f"Error: {str(e)}",
|
| 310 |
+
iteration=iteration,
|
| 311 |
+
)
|
| 312 |
+
raise DeepCriticalError(f"Orchestrator failed: {e}") from e
|
| 313 |
+
|
| 314 |
+
async def _synthesize_report(
|
| 315 |
+
self,
|
| 316 |
+
question: str,
|
| 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(
|
| 333 |
+
sufficient=True,
|
| 334 |
+
recommendation="synthesize",
|
| 335 |
+
reasoning="Manual synthesis requested.",
|
| 336 |
+
overall_quality_score=5,
|
| 337 |
+
coverage_score=5,
|
| 338 |
+
)
|
| 339 |
+
|
| 340 |
+
# Build synthesis prompt
|
| 341 |
+
prompt = build_synthesis_prompt(question, assessment, evidence)
|
| 342 |
+
|
| 343 |
+
# Generate report
|
| 344 |
+
result = await synthesis_agent.run(prompt)
|
| 345 |
+
|
| 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
|
| 360 |
+
candidates = []
|
| 361 |
+
quality_score = 0
|
| 362 |
+
|
| 363 |
+
async for event in self.run(question):
|
| 364 |
+
iterations = event.iteration
|
| 365 |
+
if event.data:
|
| 366 |
+
if event.data.get("is_report"):
|
| 367 |
+
report = event.message
|
| 368 |
+
if "evidence_count" in event.data:
|
| 369 |
+
evidence_count = event.data["evidence_count"]
|
| 370 |
+
if "candidates" in event.data:
|
| 371 |
+
candidates = event.data.get("candidates", [])
|
| 372 |
+
if "quality_score" in event.data:
|
| 373 |
+
quality_score = event.data["quality_score"]
|
| 374 |
+
|
| 375 |
+
return AgentResult(
|
| 376 |
+
question=question,
|
| 377 |
+
report=report,
|
| 378 |
+
evidence_count=evidence_count,
|
| 379 |
+
iterations=iterations,
|
| 380 |
+
candidates=candidates,
|
| 381 |
+
quality_score=quality_score,
|
| 382 |
+
)
|
| 383 |
```
|
| 384 |
|
| 385 |
---
|
|
|
|
| 387 |
## 4. UI (`src/app.py`)
|
| 388 |
|
| 389 |
```python
|
| 390 |
+
"""Gradio UI for DeepCritical agent."""
|
| 391 |
import gradio as gr
|
| 392 |
+
from typing import AsyncGenerator
|
| 393 |
+
|
| 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]],
|
| 401 |
+
) -> AsyncGenerator[str, None]:
|
| 402 |
+
"""Process a chat message and stream responses.
|
| 403 |
+
|
| 404 |
+
Args:
|
| 405 |
+
message: User's research question.
|
| 406 |
+
history: Chat history (not used, fresh agent each time).
|
| 407 |
+
|
| 408 |
+
Yields:
|
| 409 |
+
Streaming response text.
|
| 410 |
+
"""
|
| 411 |
+
if not message.strip():
|
| 412 |
+
yield "Please enter a research question."
|
| 413 |
+
return
|
| 414 |
+
|
| 415 |
+
orchestrator = Orchestrator()
|
| 416 |
+
full_response = ""
|
| 417 |
+
|
| 418 |
+
try:
|
| 419 |
+
async for event in orchestrator.run(message):
|
| 420 |
+
# Format event for display
|
| 421 |
+
if event.data and event.data.get("is_report"):
|
| 422 |
+
# Final report - yield as-is
|
| 423 |
+
full_response = event.message
|
| 424 |
+
yield full_response
|
| 425 |
+
else:
|
| 426 |
+
# Status update
|
| 427 |
+
status = event.to_display()
|
| 428 |
+
full_response += f"\n{status}"
|
| 429 |
+
yield full_response
|
| 430 |
+
|
| 431 |
+
except Exception as e:
|
| 432 |
+
yield f"\nβ **Error**: {str(e)}"
|
| 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(),
|
| 444 |
+
) as app:
|
| 445 |
+
gr.Markdown(
|
| 446 |
+
"""
|
| 447 |
+
# 𧬠DeepCritical
|
| 448 |
+
## AI-Powered Drug Repurposing Research Agent
|
| 449 |
+
|
| 450 |
+
Enter a research question about drug repurposing to get started.
|
| 451 |
+
The agent will search PubMed and the web, evaluate evidence quality,
|
| 452 |
+
and generate a comprehensive research report.
|
| 453 |
+
|
| 454 |
+
**Example questions:**
|
| 455 |
+
- "Can metformin be repurposed to treat Alzheimer's disease?"
|
| 456 |
+
- "What existing drugs might help treat long COVID fatigue?"
|
| 457 |
+
- "Are there diabetes drugs that could treat Parkinson's?"
|
| 458 |
+
"""
|
| 459 |
+
)
|
| 460 |
+
|
| 461 |
+
chatbot = gr.Chatbot(
|
| 462 |
+
label="Research Assistant",
|
| 463 |
+
height=600,
|
| 464 |
+
show_copy_button=True,
|
| 465 |
+
render_markdown=True,
|
| 466 |
+
)
|
| 467 |
+
|
| 468 |
+
msg = gr.Textbox(
|
| 469 |
+
label="Research Question",
|
| 470 |
+
placeholder="e.g., Can metformin be repurposed to treat Alzheimer's disease?",
|
| 471 |
+
lines=2,
|
| 472 |
+
max_lines=5,
|
| 473 |
+
)
|
| 474 |
+
|
| 475 |
+
with gr.Row():
|
| 476 |
+
submit_btn = gr.Button("π¬ Research", variant="primary")
|
| 477 |
+
clear_btn = gr.Button("ποΈ Clear")
|
| 478 |
+
|
| 479 |
+
# Examples
|
| 480 |
+
gr.Examples(
|
| 481 |
+
examples=[
|
| 482 |
+
"Can metformin be repurposed to treat Alzheimer's disease?",
|
| 483 |
+
"What existing drugs might help treat long COVID fatigue?",
|
| 484 |
+
"Are there cancer drugs that could treat autoimmune diseases?",
|
| 485 |
+
"Can diabetes medications help with heart failure?",
|
| 486 |
+
],
|
| 487 |
+
inputs=msg,
|
| 488 |
+
)
|
| 489 |
+
|
| 490 |
+
# Event handlers
|
| 491 |
+
async def respond(message: str, chat_history: list):
|
| 492 |
+
"""Handle user message and stream response."""
|
| 493 |
+
chat_history = chat_history or []
|
| 494 |
+
chat_history.append([message, ""])
|
| 495 |
+
|
| 496 |
+
async for response in chat(message, chat_history):
|
| 497 |
+
chat_history[-1][1] = response
|
| 498 |
+
yield "", chat_history
|
| 499 |
+
|
| 500 |
+
submit_btn.click(
|
| 501 |
+
respond,
|
| 502 |
+
inputs=[msg, chatbot],
|
| 503 |
+
outputs=[msg, chatbot],
|
| 504 |
+
)
|
| 505 |
+
|
| 506 |
+
msg.submit(
|
| 507 |
+
respond,
|
| 508 |
+
inputs=[msg, chatbot],
|
| 509 |
+
outputs=[msg, chatbot],
|
| 510 |
+
)
|
| 511 |
+
|
| 512 |
+
clear_btn.click(lambda: (None, []), outputs=[msg, chatbot])
|
| 513 |
+
|
| 514 |
+
gr.Markdown(
|
| 515 |
+
"""
|
| 516 |
+
---
|
| 517 |
+
**Disclaimer**: This tool is for research purposes only.
|
| 518 |
+
Always consult healthcare professionals for medical decisions.
|
| 519 |
+
|
| 520 |
+
Built with β€οΈ using PydanticAI, Gradio, and Claude.
|
| 521 |
+
"""
|
| 522 |
+
)
|
| 523 |
+
|
| 524 |
+
return app
|
| 525 |
+
|
| 526 |
+
|
| 527 |
+
# Create the app instance
|
| 528 |
+
app = create_app()
|
| 529 |
+
|
| 530 |
+
if __name__ == "__main__":
|
| 531 |
+
app.launch(
|
| 532 |
+
server_name="0.0.0.0",
|
| 533 |
+
server_port=7860,
|
| 534 |
+
share=False,
|
| 535 |
+
)
|
| 536 |
```
|
| 537 |
|
| 538 |
---
|
| 539 |
|
| 540 |
+
## 5. Deployment Files
|
| 541 |
+
|
| 542 |
+
### `Dockerfile`
|
| 543 |
+
|
| 544 |
+
```dockerfile
|
| 545 |
+
# DeepCritical Docker Image
|
| 546 |
+
FROM python:3.11-slim
|
| 547 |
+
|
| 548 |
+
# Set working directory
|
| 549 |
+
WORKDIR /app
|
| 550 |
+
|
| 551 |
+
# Install uv for fast package management
|
| 552 |
+
RUN pip install uv
|
| 553 |
+
|
| 554 |
+
# Copy dependency files
|
| 555 |
+
COPY pyproject.toml .
|
| 556 |
+
COPY uv.lock* .
|
| 557 |
+
|
| 558 |
+
# Install dependencies
|
| 559 |
+
RUN uv sync --no-dev
|
| 560 |
+
|
| 561 |
+
# Copy source code
|
| 562 |
+
COPY src/ src/
|
| 563 |
+
|
| 564 |
+
# Expose Gradio port
|
| 565 |
+
EXPOSE 7860
|
| 566 |
+
|
| 567 |
+
# Set environment variables
|
| 568 |
+
ENV PYTHONUNBUFFERED=1
|
| 569 |
+
ENV PYTHONDONTWRITEBYTECODE=1
|
| 570 |
+
|
| 571 |
+
# Run the app
|
| 572 |
+
CMD ["uv", "run", "python", "src/app.py"]
|
| 573 |
+
```
|
| 574 |
+
|
| 575 |
+
### `README.md` (HuggingFace Space Config)
|
| 576 |
+
|
| 577 |
+
> Note: This is for the HuggingFace Space, placed at project root.
|
| 578 |
+
|
| 579 |
+
```markdown
|
| 580 |
+
---
|
| 581 |
+
title: DeepCritical
|
| 582 |
+
emoji: π§¬
|
| 583 |
+
colorFrom: blue
|
| 584 |
+
colorTo: green
|
| 585 |
+
sdk: gradio
|
| 586 |
+
sdk_version: 5.0.0
|
| 587 |
+
python_version: 3.11
|
| 588 |
+
app_file: src/app.py
|
| 589 |
+
pinned: false
|
| 590 |
+
license: mit
|
| 591 |
+
---
|
| 592 |
+
|
| 593 |
+
# DeepCritical - Drug Repurposing Research Agent
|
| 594 |
+
|
| 595 |
+
An AI-powered research assistant that searches biomedical literature to identify
|
| 596 |
+
drug repurposing opportunities.
|
| 597 |
+
|
| 598 |
+
## Features
|
| 599 |
+
|
| 600 |
+
- π Searches PubMed and web sources
|
| 601 |
+
- βοΈ Evaluates evidence quality using AI
|
| 602 |
+
- π Generates comprehensive research reports
|
| 603 |
+
- π Identifies drug repurposing candidates
|
| 604 |
+
|
| 605 |
+
## How to Use
|
| 606 |
+
|
| 607 |
+
1. Enter a research question about drug repurposing
|
| 608 |
+
2. Wait for the agent to search and analyze literature
|
| 609 |
+
3. Review the generated research report
|
| 610 |
+
|
| 611 |
+
## Example Questions
|
| 612 |
+
|
| 613 |
+
- "Can metformin be repurposed to treat Alzheimer's disease?"
|
| 614 |
+
- "What existing drugs might help treat long COVID?"
|
| 615 |
+
- "Are there diabetes drugs that could treat Parkinson's?"
|
| 616 |
+
|
| 617 |
+
## Technical Details
|
| 618 |
+
|
| 619 |
+
Built with:
|
| 620 |
+
- PydanticAI for structured LLM outputs
|
| 621 |
+
- PubMed E-utilities for biomedical search
|
| 622 |
+
- DuckDuckGo for web search
|
| 623 |
+
- Gradio for the interface
|
| 624 |
+
|
| 625 |
+
## Disclaimer
|
| 626 |
+
|
| 627 |
+
This tool is for research purposes only. Always consult healthcare professionals.
|
| 628 |
+
```
|
| 629 |
+
|
| 630 |
+
---
|
| 631 |
+
|
| 632 |
+
## 6. TDD Workflow
|
| 633 |
|
| 634 |
### Test File: `tests/unit/test_orchestrator.py`
|
| 635 |
|
| 636 |
```python
|
| 637 |
"""Unit tests for Orchestrator."""
|
| 638 |
import pytest
|
| 639 |
+
from unittest.mock import AsyncMock, MagicMock, patch
|
| 640 |
+
|
| 641 |
|
| 642 |
class TestOrchestrator:
|
| 643 |
+
"""Tests for Orchestrator."""
|
| 644 |
+
|
| 645 |
+
@pytest.mark.asyncio
|
| 646 |
+
async def test_run_yields_events(self, mocker):
|
| 647 |
+
"""Orchestrator.run should yield AgentEvents."""
|
| 648 |
+
from src.orchestrator import Orchestrator
|
| 649 |
+
from src.utils.models import (
|
| 650 |
+
AgentEvent,
|
| 651 |
+
AgentState,
|
| 652 |
+
SearchResult,
|
| 653 |
+
JudgeAssessment,
|
| 654 |
+
Evidence,
|
| 655 |
+
Citation,
|
| 656 |
+
)
|
| 657 |
+
|
| 658 |
+
# Mock search handler
|
| 659 |
+
mock_search = MagicMock()
|
| 660 |
+
mock_search.execute = AsyncMock(return_value=SearchResult(
|
| 661 |
+
query="test",
|
| 662 |
+
evidence=[
|
| 663 |
+
Evidence(
|
| 664 |
+
content="Test evidence",
|
| 665 |
+
citation=Citation(
|
| 666 |
+
source="pubmed",
|
| 667 |
+
title="Test",
|
| 668 |
+
url="https://example.com",
|
| 669 |
+
date="2024",
|
| 670 |
+
),
|
| 671 |
+
)
|
| 672 |
+
],
|
| 673 |
+
sources_searched=["pubmed", "web"],
|
| 674 |
+
total_found=1,
|
| 675 |
+
))
|
| 676 |
+
|
| 677 |
+
# Mock judge handler - return "synthesize" immediately
|
| 678 |
+
mock_judge = MagicMock()
|
| 679 |
+
mock_judge.assess = AsyncMock(return_value=JudgeAssessment(
|
| 680 |
+
sufficient=True,
|
| 681 |
+
recommendation="synthesize",
|
| 682 |
+
reasoning="Good evidence.",
|
| 683 |
+
overall_quality_score=8,
|
| 684 |
+
coverage_score=8,
|
| 685 |
+
candidates=[],
|
| 686 |
+
))
|
| 687 |
+
mock_judge.should_continue = AsyncMock(return_value=False)
|
| 688 |
+
|
| 689 |
+
# Mock synthesis
|
| 690 |
+
mocker.patch(
|
| 691 |
+
"src.orchestrator.synthesis_agent.run",
|
| 692 |
+
new=AsyncMock(return_value=MagicMock(data="# Test Report"))
|
| 693 |
+
)
|
| 694 |
+
|
| 695 |
+
orchestrator = Orchestrator(
|
| 696 |
+
search_handler=mock_search,
|
| 697 |
+
judge_handler=mock_judge,
|
| 698 |
+
max_iterations=3,
|
| 699 |
+
)
|
| 700 |
+
|
| 701 |
+
events = []
|
| 702 |
+
async for event in orchestrator.run("test question"):
|
| 703 |
+
events.append(event)
|
| 704 |
+
|
| 705 |
+
# Should have multiple events
|
| 706 |
+
assert len(events) >= 4 # init, search, judge, complete
|
| 707 |
+
|
| 708 |
+
# Check state progression
|
| 709 |
+
states = [e.state for e in events]
|
| 710 |
+
assert AgentState.INITIALIZING in states
|
| 711 |
+
assert AgentState.SEARCHING in states
|
| 712 |
+
assert AgentState.JUDGING in states
|
| 713 |
+
assert AgentState.COMPLETE in states
|
| 714 |
+
|
| 715 |
+
@pytest.mark.asyncio
|
| 716 |
+
async def test_run_respects_max_iterations(self, mocker):
|
| 717 |
+
"""Orchestrator should stop at max_iterations."""
|
| 718 |
+
from src.orchestrator import Orchestrator
|
| 719 |
+
from src.utils.models import SearchResult, JudgeAssessment, Evidence, Citation
|
| 720 |
+
|
| 721 |
+
# Mock search
|
| 722 |
+
mock_search = MagicMock()
|
| 723 |
+
mock_search.execute = AsyncMock(return_value=SearchResult(
|
| 724 |
+
query="test",
|
| 725 |
+
evidence=[
|
| 726 |
+
Evidence(
|
| 727 |
+
content="Test",
|
| 728 |
+
citation=Citation(
|
| 729 |
+
source="pubmed",
|
| 730 |
+
title="Test",
|
| 731 |
+
url="https://example.com",
|
| 732 |
+
date="2024",
|
| 733 |
+
),
|
| 734 |
+
)
|
| 735 |
+
],
|
| 736 |
+
sources_searched=["pubmed"],
|
| 737 |
+
total_found=1,
|
| 738 |
+
))
|
| 739 |
+
|
| 740 |
+
# Mock judge - always say "continue"
|
| 741 |
+
mock_judge = MagicMock()
|
| 742 |
+
mock_judge.assess = AsyncMock(return_value=JudgeAssessment(
|
| 743 |
+
sufficient=False,
|
| 744 |
+
recommendation="continue",
|
| 745 |
+
reasoning="Need more evidence.",
|
| 746 |
+
overall_quality_score=4,
|
| 747 |
+
coverage_score=4,
|
| 748 |
+
next_search_queries=["more research"],
|
| 749 |
+
))
|
| 750 |
+
mock_judge.should_continue = AsyncMock(return_value=True)
|
| 751 |
+
|
| 752 |
+
# Mock synthesis
|
| 753 |
+
mocker.patch(
|
| 754 |
+
"src.orchestrator.synthesis_agent.run",
|
| 755 |
+
new=AsyncMock(return_value=MagicMock(data="# Report"))
|
| 756 |
+
)
|
| 757 |
+
|
| 758 |
+
orchestrator = Orchestrator(
|
| 759 |
+
search_handler=mock_search,
|
| 760 |
+
judge_handler=mock_judge,
|
| 761 |
+
max_iterations=2, # Low limit
|
| 762 |
+
)
|
| 763 |
+
|
| 764 |
+
iterations_seen = set()
|
| 765 |
+
async for event in orchestrator.run("test"):
|
| 766 |
+
iterations_seen.add(event.iteration)
|
| 767 |
+
|
| 768 |
+
# Should not exceed max_iterations
|
| 769 |
+
assert max(iterations_seen) <= 2
|
| 770 |
+
|
| 771 |
+
@pytest.mark.asyncio
|
| 772 |
+
async def test_run_handles_errors(self, mocker):
|
| 773 |
+
"""Orchestrator should yield error event on failure."""
|
| 774 |
+
from src.orchestrator import Orchestrator
|
| 775 |
+
from src.utils.models import AgentState
|
| 776 |
+
from src.utils.exceptions import DeepCriticalError
|
| 777 |
+
|
| 778 |
+
# Mock search to raise error
|
| 779 |
+
mock_search = MagicMock()
|
| 780 |
+
mock_search.execute = AsyncMock(side_effect=Exception("Search failed"))
|
| 781 |
+
|
| 782 |
+
orchestrator = Orchestrator(
|
| 783 |
+
search_handler=mock_search,
|
| 784 |
+
judge_handler=MagicMock(),
|
| 785 |
+
max_iterations=3,
|
| 786 |
+
)
|
| 787 |
+
|
| 788 |
+
events = []
|
| 789 |
+
with pytest.raises(DeepCriticalError):
|
| 790 |
+
async for event in orchestrator.run("test"):
|
| 791 |
+
events.append(event)
|
| 792 |
+
|
| 793 |
+
# Should have error event
|
| 794 |
+
error_events = [e for e in events if e.state == AgentState.ERROR]
|
| 795 |
+
assert len(error_events) >= 1
|
| 796 |
+
|
| 797 |
@pytest.mark.asyncio
|
| 798 |
+
async def test_run_to_completion_returns_result(self, mocker):
|
| 799 |
+
"""run_to_completion should return AgentResult."""
|
| 800 |
from src.orchestrator import Orchestrator
|
| 801 |
+
from src.utils.models import SearchResult, JudgeAssessment, AgentResult, Evidence, Citation
|
| 802 |
+
|
| 803 |
+
# Mock search
|
| 804 |
+
mock_search = MagicMock()
|
| 805 |
+
mock_search.execute = AsyncMock(return_value=SearchResult(
|
| 806 |
+
query="test",
|
| 807 |
+
evidence=[
|
| 808 |
+
Evidence(
|
| 809 |
+
content="Test",
|
| 810 |
+
citation=Citation(
|
| 811 |
+
source="pubmed",
|
| 812 |
+
title="Test",
|
| 813 |
+
url="https://example.com",
|
| 814 |
+
date="2024",
|
| 815 |
+
),
|
| 816 |
+
)
|
| 817 |
+
],
|
| 818 |
+
sources_searched=["pubmed"],
|
| 819 |
+
total_found=1,
|
| 820 |
+
))
|
| 821 |
+
|
| 822 |
+
# Mock judge
|
| 823 |
+
mock_judge = MagicMock()
|
| 824 |
+
mock_judge.assess = AsyncMock(return_value=JudgeAssessment(
|
| 825 |
+
sufficient=True,
|
| 826 |
+
recommendation="synthesize",
|
| 827 |
+
reasoning="Good.",
|
| 828 |
+
overall_quality_score=8,
|
| 829 |
+
coverage_score=8,
|
| 830 |
+
))
|
| 831 |
+
mock_judge.should_continue = AsyncMock(return_value=False)
|
| 832 |
+
|
| 833 |
+
# Mock synthesis
|
| 834 |
+
mocker.patch(
|
| 835 |
+
"src.orchestrator.synthesis_agent.run",
|
| 836 |
+
new=AsyncMock(return_value=MagicMock(data="# Test Report\n\nContent here."))
|
| 837 |
+
)
|
| 838 |
+
|
| 839 |
+
orchestrator = Orchestrator(
|
| 840 |
+
search_handler=mock_search,
|
| 841 |
+
judge_handler=mock_judge,
|
| 842 |
+
)
|
| 843 |
+
|
| 844 |
+
result = await orchestrator.run_to_completion("test question")
|
| 845 |
+
|
| 846 |
+
assert isinstance(result, AgentResult)
|
| 847 |
+
assert result.question == "test question"
|
| 848 |
+
assert "Test Report" in result.report
|
| 849 |
+
|
| 850 |
+
|
| 851 |
+
class TestAgentEvent:
|
| 852 |
+
"""Tests for AgentEvent model."""
|
| 853 |
+
|
| 854 |
+
def test_to_display_formats_correctly(self):
|
| 855 |
+
"""to_display should format event with icon."""
|
| 856 |
+
from src.utils.models import AgentEvent, AgentState
|
| 857 |
+
|
| 858 |
+
event = AgentEvent(
|
| 859 |
+
state=AgentState.SEARCHING,
|
| 860 |
+
message="Searching PubMed...",
|
| 861 |
+
iteration=1,
|
| 862 |
+
)
|
| 863 |
+
|
| 864 |
+
display = event.to_display()
|
| 865 |
+
|
| 866 |
+
assert "π" in display
|
| 867 |
+
assert "SEARCHING" in display
|
| 868 |
+
assert "Searching PubMed" in display
|
| 869 |
+
|
| 870 |
+
def test_to_display_handles_all_states(self):
|
| 871 |
+
"""to_display should handle all AgentState values."""
|
| 872 |
+
from src.utils.models import AgentEvent, AgentState
|
| 873 |
+
|
| 874 |
+
for state in AgentState:
|
| 875 |
+
event = AgentEvent(state=state, message="Test")
|
| 876 |
+
display = event.to_display()
|
| 877 |
+
assert state.value.upper() in display
|
| 878 |
```
|
| 879 |
|
| 880 |
---
|
| 881 |
|
| 882 |
+
## 7. Implementation Checklist
|
| 883 |
|
| 884 |
+
- [ ] Add `AgentState`, `AgentEvent`, `AgentResult` models to `src/utils/models.py`
|
| 885 |
+
- [ ] Implement `src/orchestrator.py` (complete Orchestrator class)
|
| 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**
|
| 893 |
+
- [ ] Run `uv run python src/app.py` β **VERIFY UI LOADS**
|
| 894 |
+
- [ ] Test with real query locally
|
| 895 |
+
- [ ] Build Docker image: `docker build -t deepcritical .`
|
| 896 |
+
- [ ] Commit: `git commit -m "feat: phase 4 orchestrator and UI complete"`
|
| 897 |
|
| 898 |
---
|
| 899 |
|
| 900 |
+
## 8. Definition of Done
|
| 901 |
|
| 902 |
Phase 4 is **COMPLETE** when:
|
| 903 |
|
| 904 |
+
1. β
All unit tests pass
|
| 905 |
+
2. β
Orchestrator yields streaming AgentEvents
|
| 906 |
+
3. β
Orchestrator respects max_iterations
|
| 907 |
+
4. β
Graceful error handling with error events
|
| 908 |
+
5. β
Gradio UI renders streaming updates
|
| 909 |
+
6. β
Ruff and mypy pass with no errors
|
| 910 |
+
7. β
Docker builds successfully
|
| 911 |
+
8. β
Manual smoke test works:
|
| 912 |
|
| 913 |
```bash
|
| 914 |
+
# Run locally
|
| 915 |
uv run python src/app.py
|
| 916 |
+
|
| 917 |
+
# Open http://localhost:7860 and test:
|
| 918 |
# "What existing drugs might help treat long COVID fatigue?"
|
| 919 |
+
|
| 920 |
+
# Verify:
|
| 921 |
+
# - Status updates stream in real-time
|
| 922 |
+
# - Final report is formatted as markdown
|
| 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!
|
docs/implementation/roadmap.md
CHANGED
|
@@ -38,6 +38,10 @@ 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 |
```
|
| 42 |
deepcritical/
|
| 43 |
βββ pyproject.toml # All config in one file
|
|
@@ -52,14 +56,15 @@ deepcritical/
|
|
| 52 |
β β
|
| 53 |
β βββ agent_factory/ # Agent definitions
|
| 54 |
β β βββ __init__.py
|
| 55 |
-
β β βββ agents.py # (
|
| 56 |
β β βββ judges.py # JudgeHandler - LLM evidence assessment
|
| 57 |
β β
|
| 58 |
β βββ tools/ # Search tools
|
| 59 |
β β βββ __init__.py
|
| 60 |
β β βββ pubmed.py # PubMedTool - NCBI E-utilities
|
| 61 |
-
β β βββ websearch.py # WebTool - DuckDuckGo
|
| 62 |
-
β β
|
|
|
|
| 63 |
β β
|
| 64 |
β βββ prompts/ # Prompt templates
|
| 65 |
β β βββ __init__.py
|
|
@@ -69,7 +74,9 @@ deepcritical/
|
|
| 69 |
β β βββ __init__.py
|
| 70 |
β β βββ config.py # Settings via pydantic-settings
|
| 71 |
β β βββ exceptions.py # Custom exceptions
|
| 72 |
-
β β
|
|
|
|
|
|
|
| 73 |
β β
|
| 74 |
β βββ middleware/ # (Empty - reserved)
|
| 75 |
β βββ database_services/ # (Empty - reserved)
|
|
|
|
| 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/
|
| 47 |
βββ pyproject.toml # All config in one file
|
|
|
|
| 56 |
β β
|
| 57 |
β βββ agent_factory/ # Agent definitions
|
| 58 |
β β βββ __init__.py
|
| 59 |
+
β β βββ agents.py # (Maintainer placeholder - future use)
|
| 60 |
β β βββ judges.py # JudgeHandler - LLM evidence assessment
|
| 61 |
β β
|
| 62 |
β βββ tools/ # Search tools
|
| 63 |
β β βββ __init__.py
|
| 64 |
β β βββ pubmed.py # PubMedTool - NCBI E-utilities
|
| 65 |
+
β β βββ websearch.py # WebTool - DuckDuckGo (replaces maintainer's empty file)
|
| 66 |
+
β β βββ search_handler.py # SearchHandler - orchestrates tools
|
| 67 |
+
β β βββ code_execution.py # (Maintainer placeholder - future use)
|
| 68 |
β β
|
| 69 |
β βββ prompts/ # Prompt templates
|
| 70 |
β β βββ __init__.py
|
|
|
|
| 74 |
β β βββ __init__.py
|
| 75 |
β β βββ config.py # Settings via pydantic-settings
|
| 76 |
β β βββ exceptions.py # Custom exceptions
|
| 77 |
+
β β βββ models.py # ALL Pydantic models (Evidence, JudgeAssessment, etc.)
|
| 78 |
+
β β βββ dataloaders.py # (Maintainer placeholder - future use)
|
| 79 |
+
β β βββ parsers.py # (Maintainer placeholder - future use)
|
| 80 |
β β
|
| 81 |
β βββ middleware/ # (Empty - reserved)
|
| 82 |
β βββ database_services/ # (Empty - reserved)
|