Spaces:
Sleeping
Sleeping
File size: 11,512 Bytes
6dc9d46 696f787 6dc9d46 696f787 6dc9d46 696f787 6dc9d46 aefac4f 696f787 6dc9d46 9659593 6dc9d46 9659593 6dc9d46 9659593 6dc9d46 9659593 696f787 9659593 696f787 6dc9d46 696f787 6dc9d46 696f787 6dc9d46 aefac4f 6dc9d46 aefac4f 9659593 6dc9d46 696f787 6dc9d46 9659593 6dc9d46 696f787 aefac4f 696f787 6dc9d46 9659593 6dc9d46 696f787 9659593 696f787 6dc9d46 696f787 6dc9d46 9659593 696f787 6dc9d46 9659593 696f787 6dc9d46 9659593 6dc9d46 696f787 6dc9d46 696f787 9659593 696f787 6dc9d46 9659593 6dc9d46 9659593 6dc9d46 696f787 6dc9d46 9659593 6dc9d46 aefac4f 696f787 aefac4f 9659593 aefac4f 696f787 aefac4f 9659593 aefac4f 696f787 aefac4f 9659593 aefac4f 696f787 6dc9d46 696f787 6dc9d46 9659593 6dc9d46 696f787 6dc9d46 696f787 6dc9d46 9659593 6dc9d46 aefac4f 696f787 aefac4f 9659593 696f787 6dc9d46 9659593 696f787 6dc9d46 696f787 6dc9d46 9659593 6dc9d46 696f787 9659593 6dc9d46 696f787 9659593 696f787 6dc9d46 9659593 6dc9d46 9659593 6dc9d46 9659593 696f787 6dc9d46 696f787 6dc9d46 9659593 696f787 6dc9d46 696f787 6dc9d46 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 | """
MediGuard AI RAG-Helper
Response Synthesizer Agent - Compiles all findings into final structured JSON
"""
from typing import Any
from langchain_core.prompts import ChatPromptTemplate
from src.llm_config import llm_config
from src.state import GuildState
class ResponseSynthesizerAgent:
"""Agent that synthesizes all specialist findings into the final response"""
def __init__(self):
self.llm = llm_config.get_synthesizer()
def synthesize(self, state: GuildState) -> GuildState:
"""
Synthesize all agent outputs into final response.
Args:
state: Complete guild state with all agent outputs
Returns:
Updated state with final_response
"""
print("\n" + "=" * 70)
print("EXECUTING: Response Synthesizer Agent")
print("=" * 70)
model_prediction = state["model_prediction"]
patient_biomarkers = state["patient_biomarkers"]
patient_context = state.get("patient_context", {})
agent_outputs = state.get("agent_outputs", [])
# Collect findings from all agents
findings = self._collect_findings(agent_outputs)
print(f"\nSynthesizing findings from {len(agent_outputs)} specialist agents...")
# Build structured response
recs = self._build_recommendations(findings)
response = {
"patient_summary": self._build_patient_summary(patient_biomarkers, findings),
"prediction_explanation": self._build_prediction_explanation(model_prediction, findings),
"confidence_assessment": self._build_confidence_assessment(findings),
"safety_alerts": self._build_safety_alerts(findings),
"metadata": self._build_metadata(state),
"biomarker_flags": self._build_biomarker_flags(findings),
"key_drivers": self._build_key_drivers(findings),
"disease_explanation": self._build_disease_explanation(findings),
"recommendations": recs,
"clinical_recommendations": recs, # Alias for backward compatibility
"alternative_diagnoses": self._build_alternative_diagnoses(findings),
"analysis": {
"biomarker_flags": self._build_biomarker_flags(findings),
"safety_alerts": self._build_safety_alerts(findings),
"key_drivers": self._build_key_drivers(findings),
"disease_explanation": self._build_disease_explanation(findings),
"recommendations": recs,
"confidence_assessment": self._build_confidence_assessment(findings),
"alternative_diagnoses": self._build_alternative_diagnoses(findings),
},
}
# Generate patient-friendly summary
response["patient_summary"]["narrative"] = self._generate_narrative_summary(
model_prediction, findings, response
)
print("\nResponse synthesis complete")
print(" - Patient summary: Generated")
print(f" - Prediction explanation: {len(response['prediction_explanation']['key_drivers'])} key drivers")
print(
f" - Recommendations: {len(response['clinical_recommendations']['immediate_actions'])} immediate actions"
)
print(f" - Safety alerts: {len(response['safety_alerts'])} alerts")
return {"final_response": response}
def _collect_findings(self, agent_outputs: list) -> dict[str, Any]:
"""Organize all agent findings by agent name"""
findings = {}
for output in agent_outputs:
findings[output.agent_name] = output.findings
return findings
def _build_patient_summary(self, biomarkers: dict, findings: dict) -> dict:
"""Build patient summary section"""
biomarker_analysis = findings.get("Biomarker Analyzer", {})
flags = biomarker_analysis.get("biomarker_flags", [])
# Count biomarker statuses
critical = len([f for f in flags if "CRITICAL" in f.get("status", "")])
abnormal = len([f for f in flags if f.get("status") != "NORMAL"])
return {
"total_biomarkers_tested": len(biomarkers),
"biomarkers_in_normal_range": len(flags) - abnormal,
"biomarkers_out_of_range": abnormal,
"critical_values": critical,
"overall_risk_profile": biomarker_analysis.get("summary", "Assessment complete"),
"narrative": "", # Will be filled later
}
def _build_prediction_explanation(self, model_prediction: dict, findings: dict) -> dict:
"""Build prediction explanation section"""
disease_explanation = findings.get("Disease Explainer", {})
linker_findings = findings.get("Biomarker-Disease Linker", {})
disease = model_prediction["disease"]
confidence = model_prediction["confidence"]
# Get key drivers
key_drivers_raw = linker_findings.get("key_drivers", [])
key_drivers = [
{
"biomarker": kd.get("biomarker"),
"value": kd.get("value"),
"contribution": kd.get("contribution"),
"explanation": kd.get("explanation"),
"evidence": kd.get("evidence", "")[:200], # Truncate
}
for kd in key_drivers_raw
]
return {
"primary_disease": disease,
"confidence": confidence,
"key_drivers": key_drivers,
"mechanism_summary": disease_explanation.get("mechanism_summary", disease_explanation.get("summary", "")),
"pathophysiology": disease_explanation.get("pathophysiology", ""),
"pdf_references": disease_explanation.get("citations", []),
}
def _build_biomarker_flags(self, findings: dict) -> list[dict]:
biomarker_analysis = findings.get("Biomarker Analyzer", {})
return biomarker_analysis.get("biomarker_flags", [])
def _build_key_drivers(self, findings: dict) -> list[dict]:
linker_findings = findings.get("Biomarker-Disease Linker", {})
return linker_findings.get("key_drivers", [])
def _build_disease_explanation(self, findings: dict) -> dict:
disease_explanation = findings.get("Disease Explainer", {})
return {
"pathophysiology": disease_explanation.get("pathophysiology", ""),
"citations": disease_explanation.get("citations", []),
"retrieved_chunks": disease_explanation.get("retrieved_chunks"),
}
def _build_recommendations(self, findings: dict) -> dict:
"""Build clinical recommendations section"""
guidelines = findings.get("Clinical Guidelines", {})
return {
"immediate_actions": guidelines.get("immediate_actions", []),
"lifestyle_changes": guidelines.get("lifestyle_changes", []),
"monitoring": guidelines.get("monitoring", []),
"guideline_citations": guidelines.get("guideline_citations", []),
}
def _build_confidence_assessment(self, findings: dict) -> dict:
"""Build confidence assessment section"""
assessment = findings.get("Confidence Assessor", {})
return {
"prediction_reliability": assessment.get("prediction_reliability", "UNKNOWN"),
"evidence_strength": assessment.get("evidence_strength", "UNKNOWN"),
"limitations": assessment.get("limitations", []),
"recommendation": assessment.get("recommendation", "Consult healthcare provider"),
"assessment_summary": assessment.get("assessment_summary", ""),
"alternative_diagnoses": assessment.get("alternative_diagnoses", []),
}
def _build_alternative_diagnoses(self, findings: dict) -> list[dict]:
assessment = findings.get("Confidence Assessor", {})
return assessment.get("alternative_diagnoses", [])
def _build_safety_alerts(self, findings: dict) -> list[dict]:
"""Build safety alerts section"""
biomarker_analysis = findings.get("Biomarker Analyzer", {})
return biomarker_analysis.get("safety_alerts", [])
def _build_metadata(self, state: GuildState) -> dict:
"""Build metadata section"""
from datetime import datetime
return {
"timestamp": datetime.now().isoformat(),
"system_version": "MediGuard AI RAG-Helper v1.0",
"sop_version": "Baseline",
"agents_executed": [output.agent_name for output in state.get("agent_outputs", [])],
"disclaimer": "This is an AI-assisted analysis tool for patient self-assessment. It is NOT a substitute for professional medical advice, diagnosis, or treatment. Always consult qualified healthcare providers for medical decisions.",
}
def _generate_narrative_summary(self, model_prediction, findings: dict, response: dict) -> str:
"""Generate a patient-friendly narrative summary using LLM"""
disease = model_prediction["disease"]
confidence = model_prediction["confidence"]
reliability = response["confidence_assessment"]["prediction_reliability"]
# Get key points
critical_count = response["patient_summary"]["critical_values"]
abnormal_count = response["patient_summary"]["biomarkers_out_of_range"]
key_drivers = response["prediction_explanation"]["key_drivers"]
prompt = ChatPromptTemplate.from_messages(
[
(
"system",
"""You are a medical AI assistant explaining test results to a patient.
Write a clear, compassionate 3-4 sentence summary that:
1. States the predicted condition and confidence level
2. Highlights the most important biomarker findings
3. Emphasizes the need for medical consultation
4. Offers reassurance while being honest about findings
Use patient-friendly language. Avoid medical jargon. Be supportive and clear.""",
),
(
"human",
"""Disease Predicted: {disease}
Model Confidence: {confidence:.1%}
Overall Reliability: {reliability}
Critical Values: {critical}
Out-of-Range Values: {abnormal}
Top Biomarker Drivers: {drivers}
Write a compassionate patient summary.""",
),
]
)
chain = prompt | self.llm
try:
driver_names = [kd["biomarker"] for kd in key_drivers[:3]]
response_obj = chain.invoke(
{
"disease": disease,
"confidence": confidence,
"reliability": reliability,
"critical": critical_count,
"abnormal": abnormal_count,
"drivers": ", ".join(driver_names) if driver_names else "Multiple biomarkers",
}
)
return response_obj.content.strip()
except Exception as e:
print(f"Warning: Narrative generation failed: {e}")
return f"Your test results suggest {disease} with {confidence:.1%} confidence. {abnormal_count} biomarker(s) are out of normal range. Please consult with a healthcare provider for professional evaluation and guidance."
# Create agent instance for import
response_synthesizer_agent = ResponseSynthesizerAgent()
|