Spaces:
Sleeping
Sleeping
File size: 17,815 Bytes
b0ce04d | 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 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 | import torch
import torch.nn.functional as F
import cv2
import numpy as np
from PIL import Image
import matplotlib.pyplot as plt
from transformers import CLIPProcessor, CLIPModel
import logging
logger = logging.getLogger(__name__)
class PostHocExplainer:
"""
Post-hoc explanation module for generating visual explanations
Implements heatmaps to show which image regions influenced the answer
"""
def __init__(self, clip_model, clip_processor=None, device='cuda'):
self.clip_model = clip_model
self.clip_processor = clip_processor
self.device = device
# Validate inputs
if self.clip_model is None:
raise ValueError("CLIP model cannot be None")
if self.clip_processor is None:
logger.warning("CLIP processor is None, some methods may not work")
# Set model to evaluation mode
self.clip_model.eval()
logger.info("PostHocExplainer initialized with CLIP model")
def generate_heatmap(self, image, question_text=None, method='attention_rollout'):
"""Generate heatmap showing important image regions for VQA"""
logger.info(f"Generating heatmap using method: {method}")
try:
if method == 'attention_rollout':
return self.generate_attention_rollout_heatmap(image, question_text)
elif method == 'gradient_based':
return self.generate_gradient_heatmap(image, question_text)
elif method == 'occlusion':
return self.generate_occlusion_heatmap(image, question_text)
else:
logger.warning(f"Unknown method {method}, using attention_rollout")
return self.generate_attention_rollout_heatmap(image, question_text)
except Exception as e:
logger.error(f"Heatmap generation failed: {e}")
logger.info("Using fallback center-focused heatmap")
return self.create_center_fallback_heatmap()
def generate_attention_rollout_heatmap(self, image, question_text=None):
"""Generate heatmap using attention rollout method"""
logger.info("Generating attention rollout heatmap")
try:
# Check if processor is available
if self.clip_processor is None:
raise ValueError("CLIP processor is required for attention rollout")
# Prepare inputs
if question_text is None:
question_text = "What is in this image?"
# Process image and text with truncation
inputs = self.clip_processor(
text=[question_text],
images=image,
return_tensors="pt",
padding=True,
truncation=True,
max_length=77 # CLIP's maximum token length
).to(self.device)
logger.info("Running forward pass with attention outputs")
# Get attention weights
with torch.no_grad():
outputs = self.clip_model(**inputs, output_attentions=True)
# Try different ways to access vision attention
vision_attentions = None
# Method 1: Direct access
if hasattr(outputs, 'vision_model_output') and outputs.vision_model_output is not None:
if hasattr(outputs.vision_model_output, 'attentions'):
vision_attentions = outputs.vision_model_output.attentions
logger.info("Found vision attentions via vision_model_output")
# Method 2: Check if attentions are in main output
if vision_attentions is None and hasattr(outputs, 'attentions'):
vision_attentions = outputs.attentions
logger.info("Found attentions in main output")
# If still no attention, create fallback
if vision_attentions is None or len(vision_attentions) == 0:
logger.warning("No attention weights found, creating uniform attention")
attention_2d = torch.ones(7, 7) / 49
else:
# Extract attention from last layer
last_attention = vision_attentions[-1] # Last layer
# Average across heads and batch
attention_map = last_attention.mean(dim=1)[0] # [seq_len, seq_len]
# Get spatial attention (excluding CLS token)
spatial_attention = attention_map[1:, 1:] # Remove CLS token
# Reshape to spatial dimensions
patch_size = int(np.sqrt(spatial_attention.shape[0]))
if spatial_attention.shape[0] == patch_size * patch_size:
attention_2d = spatial_attention.mean(dim=1).reshape(patch_size, patch_size)
logger.info(f"Reshaped attention to {patch_size}x{patch_size}")
else:
logger.warning(f"Cannot reshape attention {spatial_attention.shape}, using uniform")
attention_2d = torch.ones(7, 7) / 49
# Resize to 224x224
attention_2d = F.interpolate(
attention_2d.unsqueeze(0).unsqueeze(0),
size=(224, 224),
mode='bilinear',
align_corners=False
).squeeze().cpu().numpy()
# Normalize to [0, 1]
attention_2d = (attention_2d - attention_2d.min()) / (attention_2d.max() - attention_2d.min() + 1e-8)
logger.info(f"Generated attention heatmap with shape {attention_2d.shape}")
return attention_2d
except Exception as e:
logger.warning(f"Attention rollout failed: {e}, using gradient method")
return self.generate_gradient_heatmap(image, question_text)
def generate_gradient_heatmap(self, image, question_text=None):
"""Generate heatmap using gradient-based method"""
logger.info("Generating gradient-based heatmap")
try:
if self.clip_processor is None:
raise ValueError("CLIP processor is required for gradient method")
if question_text is None:
question_text = "What is in this image?"
# Enable gradient computation
self.clip_model.train()
# Process inputs with truncation
inputs = self.clip_processor(
text=[question_text],
images=image,
return_tensors="pt",
padding=True,
truncation=True,
max_length=77 # CLIP's maximum token length
).to(self.device)
# Require gradients for pixel values
inputs['pixel_values'].requires_grad_(True)
logger.info("Running forward pass for gradients")
# Forward pass
outputs = self.clip_model(**inputs)
# Get image-text similarity score
logits_per_image = outputs.logits_per_image[0, 0]
logger.info("Computing gradients")
# Backward pass
logits_per_image.backward()
# Get gradients
gradients = inputs['pixel_values'].grad[0] # [C, H, W]
# Create heatmap from gradients
heatmap = torch.norm(gradients, dim=0).cpu().numpy() # [H, W]
# Normalize
heatmap = (heatmap - heatmap.min()) / (heatmap.max() - heatmap.min() + 1e-8)
# Reset model to eval mode
self.clip_model.eval()
logger.info(f"Generated gradient heatmap with shape {heatmap.shape}")
return heatmap
except Exception as e:
logger.warning(f"Gradient method failed: {e}, using occlusion method")
return self.generate_occlusion_heatmap(image, question_text)
def generate_occlusion_heatmap(self, image, question_text=None, patch_size=32):
"""Generate heatmap using occlusion method"""
logger.info("Generating occlusion-based heatmap")
try:
if self.clip_processor is None:
raise ValueError("CLIP processor is required for occlusion method")
if question_text is None:
question_text = "What is in this image?"
# Convert to numpy for processing
if isinstance(image, Image.Image):
image_np = np.array(image)
else:
image_np = image
# Resize to standard size
image_resized = cv2.resize(image_np, (224, 224))
image_pil = Image.fromarray(image_resized)
logger.info("Getting baseline score")
# Get baseline score
inputs_baseline = self.clip_processor(
text=[question_text],
images=image_pil,
return_tensors="pt",
padding=True,
truncation=True,
max_length=77 # CLIP's maximum token length
).to(self.device)
with torch.no_grad():
baseline_output = self.clip_model(**inputs_baseline)
baseline_score = baseline_output.logits_per_image[0, 0].cpu().item()
logger.info(f"Baseline score: {baseline_score}")
# Create heatmap
heatmap = np.zeros((224, 224))
# Occlude different regions
num_patches = 224 // patch_size
logger.info(f"Testing {num_patches}x{num_patches} patches")
for y in range(0, 224, patch_size):
for x in range(0, 224, patch_size):
try:
# Create occluded image
occluded_image = image_resized.copy()
y_end = min(y + patch_size, 224)
x_end = min(x + patch_size, 224)
occluded_image[y:y_end, x:x_end] = 128 # Gray patch
# Get score with occlusion
occluded_pil = Image.fromarray(occluded_image)
inputs_occluded = self.clip_processor(
text=[question_text],
images=occluded_pil,
return_tensors="pt",
padding=True,
truncation=True,
max_length=77 # CLIP's maximum token length
).to(self.device)
with torch.no_grad():
occluded_output = self.clip_model(**inputs_occluded)
occluded_score = occluded_output.logits_per_image[0, 0].cpu().item()
# Importance = baseline - occluded (higher drop = more important)
importance = baseline_score - occluded_score
heatmap[y:y_end, x:x_end] = importance
except Exception as e:
logger.warning(f"Occlusion patch ({x},{y}) failed: {e}")
continue
# Normalize heatmap
heatmap = np.maximum(heatmap, 0) # Keep only positive values
if heatmap.max() > 0:
heatmap = heatmap / heatmap.max()
logger.info(f"Generated occlusion heatmap with shape {heatmap.shape}")
return heatmap
except Exception as e:
logger.error(f"Occlusion method failed: {e}")
return self.create_center_fallback_heatmap()
def create_center_fallback_heatmap(self):
"""Create a center-focused fallback heatmap"""
logger.info("Creating fallback center-focused heatmap")
heatmap = np.zeros((224, 224))
center_y, center_x = 112, 112
for y in range(224):
for x in range(224):
distance = np.sqrt((y - center_y)**2 + (x - center_x)**2)
heatmap[y, x] = max(0, 1 - distance / 112)
return heatmap
def visualize_explanation(self, image, heatmap, title="VQA Explanation", save_path=None):
"""Visualize heatmap overlay on original image"""
try:
# Prepare original image
if isinstance(image, Image.Image):
image_np = np.array(image)
else:
image_np = image
# Resize image to match heatmap
image_resized = cv2.resize(image_np, (heatmap.shape[1], heatmap.shape[0]))
image_resized = image_resized.astype(np.float32) / 255.0
# Create visualization
plt.figure(figsize=(15, 5))
# Original image
plt.subplot(1, 3, 1)
plt.imshow(image_resized)
plt.title("Original Image")
plt.axis('off')
# Heatmap
plt.subplot(1, 3, 2)
plt.imshow(heatmap, cmap='hot', interpolation='bilinear')
plt.title("Attention Heatmap")
plt.axis('off')
plt.colorbar()
# Overlay
plt.subplot(1, 3, 3)
plt.imshow(image_resized)
plt.imshow(heatmap, cmap='hot', alpha=0.6, interpolation='bilinear')
plt.title(title)
plt.axis('off')
plt.tight_layout()
if save_path:
plt.savefig(save_path, dpi=300, bbox_inches='tight')
logger.info(f"Visualization saved to {save_path}")
plt.close() # Close to prevent display in headless environment
return image_resized
except Exception as e:
logger.error(f"Visualization failed: {e}")
return None
class VietnameseExplanationGenerator:
"""Generate Vietnamese explanations for VQA results"""
def __init__(self, cultural_kb):
self.cultural_kb = cultural_kb
# Vietnamese explanation templates
self.templates = {
'food': "Trong ảnh có {object}, đây là {description}. {cultural_significance}",
'clothing': "Trang phục {object} trong ảnh thể hiện {cultural_significance}",
'architecture': "Kiến trúc {object} mang đặc trưng {description}",
'activity': "Hoạt động {object} có ý nghĩa {cultural_significance}",
'general': "Đối tượng {object} trong văn hóa Việt Nam {description}"
}
def generate_explanation(self, question, answer, cultural_objects, heatmap=None):
"""Generate Vietnamese cultural explanation"""
try:
explanations = []
# Base explanation
base_explanation = f"Câu trả lời '{answer}' được đưa ra dựa trên phân tích hình ảnh."
explanations.append(base_explanation)
# Cultural explanations
for obj in cultural_objects:
if obj in self.cultural_kb['objects']:
obj_data = self.cultural_kb['objects'][obj]
category = obj_data.get('category', 'general')
template = self.templates.get(category, self.templates['general'])
cultural_exp = template.format(
object=obj,
description=obj_data.get('description', ''),
cultural_significance=obj_data.get('cultural_significance', '')
)
explanations.append(cultural_exp)
# Visual attention explanation
if heatmap is not None:
attention_exp = self.generate_attention_explanation(heatmap)
explanations.append(attention_exp)
return " ".join(explanations)
except Exception as e:
logger.warning(f"Explanation generation failed: {e}")
return f"Phân tích hình ảnh cho câu hỏi: {question}"
def generate_attention_explanation(self, heatmap):
"""Generate explanation about visual attention"""
try:
# Calculate attention statistics
max_attention = np.max(heatmap)
mean_attention = np.mean(heatmap)
if max_attention > 0.8:
return "Mô hình tập trung cao độ vào một vùng cụ thể trong ảnh."
elif mean_attention > 0.5:
return "Mô hình phân tán sự chú ý trên nhiều vùng khác nhau."
else:
return "Mô hình có sự chú ý tương đối đều trên toàn bộ ảnh."
except Exception as e:
logger.warning(f"Attention explanation failed: {e}")
return "Phân tích sự chú ý của mô hình."
|