Spaces:
Sleeping
Sleeping
File size: 14,098 Bytes
c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e b0427b6 93c457e b0427b6 93c457e c2e5995 93c457e c2e5995 93c457e c2e5995 b0427b6 c2e5995 93c457e c2e5995 93c457e c2e5995 93c457e | 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 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 |
import torch
import torch.nn as nn
import numpy as np
import cv2
from PIL import Image
import logging
from typing import List, Dict, Any, Optional, Tuple, Union
from pytorch_grad_cam import GradCAMPlusPlus
from pytorch_grad_cam.utils.image import show_cam_on_image
from dataclasses import dataclass
logger = logging.getLogger(__name__)
# =========================================================================
# CONFIGURATION & EXPERT KNOWLEDGE
# =========================================================================
@dataclass
class ExpertSegConfig:
modality: str
target_organ: str
anatomical_prompts: List[str] # For Segmentation Mask
threshold_percentile: int # Top X% activation
min_area_ratio: float
max_area_ratio: float
morphology_kernel: int
# Expert Knowledge Base
EXPERT_KNOWLEDGE = {
"Thoracic": ExpertSegConfig(
modality="CXR/CT",
target_organ="Lung Parenchyma",
anatomical_prompts=[
"lung parenchyma",
"bilateral lungs",
"pulmonary fields",
"chest x-ray lungs excluding heart"
],
threshold_percentile=75, # Top 25%
min_area_ratio=0.15,
max_area_ratio=0.60,
morphology_kernel=7
),
"Orthopedics": ExpertSegConfig(
modality="X-Ray",
target_organ="Bone Structure",
anatomical_prompts=[
"bone structure",
"knee joint",
"cortical bone",
"skeletal anatomy"
],
threshold_percentile=85, # Top 15%
min_area_ratio=0.05,
max_area_ratio=0.50,
morphology_kernel=5
),
"Default": ExpertSegConfig(
modality="General",
target_organ="Body Part",
anatomical_prompts=["medical image body part"],
threshold_percentile=80,
min_area_ratio=0.05,
max_area_ratio=0.90,
morphology_kernel=5
)
}
# =========================================================================
# WRAPPERS AND UTILS
# =========================================================================
class HuggingFaceWeirdCLIPWrapper(nn.Module):
"""
Wraps SigLIP to act like a standard classifier for Grad-CAM.
Target: Cosine Similarity Score.
"""
def __init__(self, model, text_input_ids, attention_mask):
super(HuggingFaceWeirdCLIPWrapper, self).__init__()
self.model = model
self.text_input_ids = text_input_ids
self.attention_mask = attention_mask
def forward(self, pixel_values):
outputs = self.model(
pixel_values=pixel_values,
input_ids=self.text_input_ids,
attention_mask=self.attention_mask
)
# outputs.logits_per_image is (Batch, Num_Prompts)
# This IS the similarity score (scaled).
# Grad-CAM++ will derive gradients relative to this score.
return outputs.logits_per_image
def reshape_transform(tensor, width=32, height=32):
"""Reshape Transformer attention/embeddings for Grad-CAM."""
# Squeeze CLS if present logic (usually SigLIP doesn't have it in last layers same way)
# Tensor: (Batch, Num_Tokens, Dim)
num_tokens = tensor.size(1)
side = int(np.sqrt(num_tokens))
result = tensor.reshape(tensor.size(0), side, side, tensor.size(2))
# Bring channels first: (B, C, H, W)
result = result.transpose(2, 3).transpose(1, 2)
return result
# =========================================================================
# EXPERT+ EXPLAINABILITY ENGINE
# =========================================================================
class ExplainabilityEngine:
def __init__(self, model_wrapper):
self.wrapper = model_wrapper
self.model = model_wrapper.model
self.processor = model_wrapper.processor
self.device = self.model.device
def _get_expert_config(self, anatomical_context: str) -> ExpertSegConfig:
if "lung" in anatomical_context.lower():
return EXPERT_KNOWLEDGE["Thoracic"]
elif "bone" in anatomical_context.lower() or "knee" in anatomical_context.lower():
return EXPERT_KNOWLEDGE["Orthopedics"]
else:
base = EXPERT_KNOWLEDGE["Default"]
base.anatomical_prompts = [anatomical_context]
return base
def generate_expert_mask(self, image: Image.Image, config: ExpertSegConfig) -> Dict[str, Any]:
"""
Expert Segmentation:
Multi-Prompt Ensembling -> Patch Similarity -> Adaptive Threshold -> Morphology -> Validation.
"""
audit = {
"seg_prompts": config.anatomical_prompts,
"seg_status": "INIT"
}
try:
w, h = image.size
inputs = self.processor(text=config.anatomical_prompts, images=image, padding="max_length", return_tensors="pt")
inputs = {k: v.to(self.device) for k, v in inputs.items()}
with torch.no_grad():
# Vision Features (1, Token, Dim)
vision_outputs = self.model.vision_model(
pixel_values=inputs["pixel_values"],
output_hidden_states=True
)
last_hidden_state = vision_outputs.last_hidden_state
# Text Features (Prompts, Dim)
text_outputs = self.model.text_model(
input_ids=inputs["input_ids"],
attention_mask=inputs["attention_mask"]
)
text_embeds = text_outputs.pooler_output
text_embeds = text_embeds / text_embeds.norm(p=2, dim=-1, keepdim=True)
# Similarity: (1, T, D) @ (D, P) -> (1, T, P)
sim_map = torch.matmul(last_hidden_state, text_embeds.t())
# Mean across Prompts -> (1, T)
sim_map = sim_map.mean(dim=2)
# Reshape & Upscale
num_tokens = sim_map.size(1)
side = int(np.sqrt(num_tokens))
sim_grid = sim_map.reshape(1, side, side)
sim_grid = torch.nn.functional.interpolate(
sim_grid.unsqueeze(0),
size=(h, w),
mode='bilinear',
align_corners=False
).squeeze().cpu().numpy()
# Adaptive Thresholding (Percentile)
thresh = np.percentile(sim_grid, config.threshold_percentile)
binary_mask = (sim_grid > thresh).astype(np.float32)
audit["seg_threshold"] = float(thresh)
# Morphological Cleaning
kernel = np.ones((config.morphology_kernel, config.morphology_kernel), np.uint8)
binary_mask = cv2.morphologyEx(binary_mask, cv2.MORPH_OPEN, kernel) # Remove noise
binary_mask = cv2.morphologyEx(binary_mask, cv2.MORPH_CLOSE, kernel) # Fill holes
binary_mask = cv2.GaussianBlur(binary_mask, (15, 15), 0) # Smooth contours
binary_mask = (binary_mask - binary_mask.min()) / (binary_mask.max() - binary_mask.min() + 1e-8)
# Validation
val = self._validate_mask(binary_mask, config)
audit["seg_validation"] = val
if not val["valid"]:
logger.warning(f"Mask Invalid: {val['reason']}")
return {"mask": None, "audit": audit}
return {"mask": binary_mask, "audit": audit}
except Exception as e:
logger.error(f"Segmentation Failed: {e}")
audit["seg_error"] = str(e)
return {"mask": None, "audit": audit}
def _validate_mask(self, mask: np.ndarray, config: ExpertSegConfig) -> Dict[str, Any]:
area_ratio = np.sum(mask > 0.5) / mask.size
if area_ratio < config.min_area_ratio:
return {"valid": False, "reason": f"Small Area: {area_ratio:.2f} < {config.min_area_ratio}"}
if area_ratio > config.max_area_ratio:
return {"valid": False, "reason": f"Large Area: {area_ratio:.2f} > {config.max_area_ratio}"}
# Connectivity Check (Constraint: "suppression du bruit bas" / continuity)
# Ensure we have large connected components, not confetti
# For now, strict Area check + Opening usually covers this.
return {"valid": True}
def generate_expert_gradcam(self, image: Image.Image, target_prompts: List[str]) -> Dict[str, Any]:
"""
Expert Grad-CAM:
1. Multi-Prompt Ensembling (Averaging heatmaps).
2. Layer Selection: Encoder Layer -2.
3. Target: Cosine Score.
"""
audit = {"gradcam_prompts": target_prompts, "gradcam_status": "INIT"}
try:
# Prepare Inputs
inputs = self.processor(text=target_prompts, images=image, padding="max_length", return_tensors="pt")
inputs = {k: v.to(self.device) for k, v in inputs.items()}
# Robust Mask handling
input_ids = inputs.get('input_ids')
attention_mask = inputs.get('attention_mask')
if attention_mask is None and input_ids is not None:
attention_mask = torch.ones_like(input_ids)
# Wrapper
model_wrapper_cam = HuggingFaceWeirdCLIPWrapper(self.model, input_ids, attention_mask)
# Layer Selection: 2nd to last encoder layer (Better spatial features than last Norm)
# SigLIP structure: model.vision_model.encoder.layers
target_layers = [self.model.vision_model.encoder.layers[-2].layer_norm1]
cam = GradCAMPlusPlus(
model=model_wrapper_cam,
target_layers=target_layers,
reshape_transform=reshape_transform # Needs to handle (B, T, D)
)
pixel_values = inputs.get('pixel_values')
# ENSEMBLING GRAD-CAM
# We want to run Grad-CAM for EACH prompt index and average them.
# Grayscale CAM output is (Batch, H, W)
# We assume Batch=1 here.
maps = []
for i in range(len(target_prompts)):
# Target Class Index = i (The index of the prompt in the logits)
# GradCAMPlusPlus targets=[ClassifierOutputTarget(i)]
from pytorch_grad_cam.utils.model_targets import ClassifierOutputTarget
targets = [ClassifierOutputTarget(i)]
grayscale_cam = cam(input_tensor=pixel_values, targets=targets)
maps.append(grayscale_cam[0, :])
# Average
avg_cam = np.mean(np.array(maps), axis=0)
# Normalization (Smart Percentile)
# Only keep top 20% intensity as significant, smooth the rest?
# Or just standard min-max? User asked for "percentile cam > 85".
# We'll normalize 0-1 then apply thresholding later or just return the map.
# Visual is usually heatmap.
avg_cam = cv2.GaussianBlur(avg_cam, (13, 13), 0)
return {"map": avg_cam, "audit": audit}
except Exception as e:
logger.error(f"Grad-CAM Failed: {e}")
audit["gradcam_error"] = str(e)
return {"map": None, "audit": audit}
def explain(self, image: Image.Image, target_text: str, anatomical_context: str) -> Dict[str, Any]:
"""
Final Expert Fusion Pipeline.
"""
# 0. Setup
config = self._get_expert_config(anatomical_context)
# 1. Anatomical Mask (Strict Constraint)
seg_res = self.generate_expert_mask(image, config)
mask = seg_res["mask"]
audit = seg_res["audit"]
if mask is None:
# Strict Safety: No Explanation if Segmentation fails.
return {"heatmap_array": None, "heatmap_raw": None, "reliability_score": 0.0, "confidence_label": "UNSAFE", "audit": audit}
# 2. Attention Map (Multi-Prompt)
# Use target_text (Pathology) + Synonyms?
# For now, just use the provided target text in a list.
# Improvement: In future, expand `target_text` to synonyms automatically.
gradcam_res = self.generate_expert_gradcam(image, [target_text])
heatmap = gradcam_res["map"]
audit.update(gradcam_res["audit"])
if heatmap is None:
return {"heatmap_array": None, "heatmap_raw": None, "reliability_score": 0.0, "confidence_label": "LOW", "audit": audit}
# 3. Constraint Fusion
if mask.shape != heatmap.shape:
mask = cv2.resize(mask, (heatmap.shape[1], heatmap.shape[0]))
final_map = heatmap * mask
# 4. Reliability
total = np.sum(heatmap) + 1e-8
retained = np.sum(final_map)
reliability = retained / total
confidence = "HIGH" if reliability > 0.6 else "LOW"
audit["reliability_score"] = round(reliability, 4)
# 5. Visualize
img_np = np.array(image)
img_np = (img_np - img_np.min()) / (img_np.max() - img_np.min())
visualization = show_cam_on_image(img_np, final_map, use_rgb=True)
return {
"heatmap_array": visualization,
"heatmap_raw": final_map,
"reliability_score": round(reliability, 2),
"confidence_label": confidence,
"audit": audit
}
|