Skip to content
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
6 changes: 6 additions & 0 deletions ciao/model/__init__.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
"""Model prediction utilities for CIAO."""

from ciao.model.predictor import ModelPredictor


__all__ = ["ModelPredictor"]
37 changes: 37 additions & 0 deletions ciao/model/predictor.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,37 @@
import torch


class ModelPredictor:
"""Handles model predictions and class information for the CIAO explainer."""

def __init__(self, model: torch.nn.Module, class_names: list[str]) -> None:
self.model = model
Comment thread
dhalmazna marked this conversation as resolved.
self.class_names = class_names

# Ensure deterministic inference by disabling Dropout and freezing BatchNorm
self.model.eval()

# Robustly determine the device (fall back to CPU if model has no parameters)
try:
self.device = next(model.parameters()).device
except StopIteration:
self.device = torch.device("cpu")

Comment thread
dhalmazna marked this conversation as resolved.
def get_predictions(self, input_batch: torch.Tensor) -> torch.Tensor:
"""Get model predictions (returns probabilities)."""
input_batch = input_batch.to(self.device)

with torch.no_grad():
outputs = self.model(input_batch)
probabilities = torch.nn.functional.softmax(outputs, dim=1)
Comment thread
dhalmazna marked this conversation as resolved.
return probabilities
Comment thread
dhalmazna marked this conversation as resolved.
Comment thread
dhalmazna marked this conversation as resolved.

def get_class_logit_batch(
self, input_batch: torch.Tensor, target_class_idx: int
) -> torch.Tensor:
"""Get raw logits for a specific target class across a batch of images."""
input_batch = input_batch.to(self.device)

with torch.no_grad():
outputs = self.model(input_batch)
return outputs[:, target_class_idx]
Comment thread
dhalmazna marked this conversation as resolved.
Comment thread
dhalmazna marked this conversation as resolved.