File size: 15,450 Bytes
78b1e06 | 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 | """
FoveatedEncoder -- DINOv2 vision encoder with query-guided cross-attention.
Deep query mode only: the query token is projected into DINO dimension then
propagated through every DINO layer using cached K,V from the patch tokens.
Patches never attend to the query (asymmetric mask), so the patch forward pass
runs once and all K,V are cached. The single query-position output after the
final layer is the foveated visual token.
Key design decisions (pre-fixed bugs baked in):
* query_input_proj has bias=False (BUG-002: bias dominated small queries,
causing uniform attention regardless of query content)
* No shallow mode (BUG-004: single cross-attention on final
DINO features gives output correlation ~0.98 -- effectively uniform)
* CLS token is kept (DINO was trained with it)
* Layer norm applied after all layers (matches DINO forward)
torch.compile friendly:
* Fixed loop count (num_layers is a Python int constant per model)
* No Python-level branching in hot paths
* Attention scale stored as a float constant (not recomputed)
"""
from __future__ import annotations
import math
from typing import List, Tuple
import torch
import torch.nn as nn
import torch.nn.functional as F
from transformers import Dinov2Model
# ---------------------------------------------------------------------------
# Model configs -- keeps torch.compile happy (loop counts are Python ints)
# ---------------------------------------------------------------------------
DINO_CONFIGS = {
"facebook/dinov2-small": {"dim": 384, "heads": 6, "layers": 12, "patch_size": 14},
"facebook/dinov2-base": {"dim": 768, "heads": 12, "layers": 12, "patch_size": 14},
}
class FoveatedEncoder(nn.Module):
"""
Vision encoder with deep query-guided attention.
Two-phase usage:
1. ``patches, kv_cache = encoder.encode_patches(images)``
Run DINO on all frames, cache K/V at every layer.
2. ``z = encoder.query_attend(query, kv_cache)``
Propagate query through all layers using cached K/V.
Returns a single foveated visual token per image.
"""
def __init__(
self,
dino_model_name: str = "facebook/dinov2-small",
query_dim: int = 384,
output_dim: int | None = None,
) -> None:
"""
Args:
dino_model_name: HuggingFace model id for DINOv2.
query_dim: Dimension of incoming query vector (from LLM).
output_dim: Dimension of the output foveated token.
"""
super().__init__()
# -- Load pretrained DINOv2 -----------------------------------------
self.dino: Dinov2Model = Dinov2Model.from_pretrained(dino_model_name)
# Cache model geometry as plain Python values for torch.compile.
cfg = self.dino.config
self.dino_dim: int = cfg.hidden_size
self.num_heads: int = cfg.num_attention_heads
self.head_dim: int = self.dino_dim // self.num_heads
self.num_layers: int = cfg.num_hidden_layers
self.patch_size: int = cfg.patch_size
# Pre-compute attention scale as a constant.
self.attn_scale: float = 1.0 / math.sqrt(self.head_dim)
# -- Projections ----------------------------------------------------
if output_dim is None:
output_dim = self.dino_dim
# bias=False is CRITICAL (BUG-002). With bias, different queries
# produce near-identical embeddings at init (bias dominates the small
# query signal), so attention is uniform and fine == coarse always.
self.query_input_proj = nn.Linear(query_dim, self.dino_dim, bias=False)
self.output_proj = nn.Linear(self.dino_dim, output_dim)
# Dummy buffer for device / dtype inference.
self.register_buffer("_device_probe", torch.zeros(1), persistent=False)
# -- Convenience --------------------------------------------------------
@property
def device(self) -> torch.device:
return self._device_probe.device
def num_patches(self, image_size: int = 224) -> int:
"""Number of spatial patch tokens for a square image (excludes CLS)."""
grid = image_size // self.patch_size
return grid * grid
def num_tokens(self, image_size: int = 224) -> int:
"""Total sequence length from DINO (CLS + spatial patches)."""
return 1 + self.num_patches(image_size)
# ======================================================================
# Phase 1: encode patches (run once per frame set)
# ======================================================================
def encode_patches(
self, images: torch.Tensor
) -> Tuple[torch.Tensor, List[Tuple[torch.Tensor, torch.Tensor]]]:
"""
Encode images through DINOv2, caching K and V at every layer.
Args:
images: ``[B*T, 3, H, W]`` input images (ImageNet-normalised).
Returns:
patch_features: ``[B*T, N+1, D]`` final embeddings (CLS + patches),
after the last layer norm.
kv_cache: List of ``(K, V)`` tuples, one per DINO layer.
Each K, V has shape ``[B*T, N+1, D]`` (full dim,
not yet reshaped to multi-head).
"""
# Convert to channels_last for better conv performance on tensor cores
images = images.to(memory_format=torch.channels_last)
# Patch + position embedding (includes CLS prepend).
hidden: torch.Tensor = self.dino.embeddings(images) # [B*T, N+1, D]
kv_cache: List[Tuple[torch.Tensor, torch.Tensor]] = []
# Walk every encoder layer. The loop count (self.num_layers) is a
# Python int constant, so torch.compile unrolls it -- no graph breaks.
for layer in self.dino.encoder.layer:
normed = layer.norm1(hidden)
# Grab the K, V linear projections on the *normed* input.
attn_mod = layer.attention.attention # Dinov2SelfAttention
K = attn_mod.key(normed) # [B*T, N+1, D]
V = attn_mod.value(normed) # [B*T, N+1, D]
kv_cache.append((K, V))
# Full forward for the patch tokens (self-attention + FFN).
# Patches attend to patches only -- the query is not present yet.
layer_out = layer(hidden)
hidden = layer_out[0] if isinstance(layer_out, tuple) else layer_out
# Final layer norm (matches Dinov2Model.forward).
patch_features = self.dino.layernorm(hidden) # [B*T, N+1, D]
return patch_features, kv_cache
# ======================================================================
# Phase 2: query-attend (run per query)
# ======================================================================
def query_attend(
self,
query: torch.Tensor,
kv_cache: List[Tuple[torch.Tensor, torch.Tensor]],
return_attention: bool = False,
) -> torch.Tensor:
"""
Propagate a query token through every DINO layer using cached K/V.
The query can attend to all patch tokens, but patches never see the
query (asymmetric attention -- enabled by using the cached K/V that
were computed without the query present).
Args:
query: ``[B*T, query_dim]`` query vector from the LLM.
kv_cache: Output of :meth:`encode_patches` (list of (K, V) per layer).
Returns:
z: ``[B*T, output_dim]`` -- the single foveated visual token.
"""
B = query.shape[0]
# Project query into DINO space.
q_hidden = self.query_input_proj(query).unsqueeze(1) # [B, 1, D]
all_attn_weights = [] if return_attention else None
# Walk every layer, reusing cached K/V from patches.
for layer_idx, layer in enumerate(self.dino.encoder.layer):
K, V = kv_cache[layer_idx] # each [B, N+1, D]
attn_mod = layer.attention.attention # Dinov2SelfAttention
# Pre-norm for the query token.
q_normed = layer.norm1(q_hidden) # [B, 1, D]
# Q projection for the query token only.
Q = attn_mod.query(q_normed) # [B, 1, D]
# Reshape to multi-head: [B, S, D] -> [B, H, S, d]
Q = Q.view(B, 1, self.num_heads, self.head_dim).transpose(1, 2)
K_h = K.view(B, -1, self.num_heads, self.head_dim).transpose(1, 2)
V_h = V.view(B, -1, self.num_heads, self.head_dim).transpose(1, 2)
# Scaled dot-product attention (query attends to all patches).
# Q: [B, H, 1, d], K_h: [B, H, N+1, d], V_h: [B, H, N+1, d]
if return_attention:
# Manual path: need explicit weights for visualization
attn_scores = torch.matmul(Q, K_h.transpose(-2, -1)) * self.attn_scale
attn_weights = F.softmax(attn_scores, dim=-1)
all_attn_weights.append(attn_weights.detach())
attn_out = torch.matmul(attn_weights, V_h)
else:
# SDPA: fused kernel, no intermediate allocations
attn_out = F.scaled_dot_product_attention(Q, K_h, V_h)
# Merge heads: [B, H, 1, d] -> [B, 1, D]
attn_out = attn_out.transpose(1, 2).contiguous().view(B, 1, self.dino_dim)
# Output projection + dropout (Dinov2SelfOutput.dense / .dropout).
attn_out = layer.attention.output.dense(attn_out)
attn_out = layer.attention.output.dropout(attn_out)
# Layer scale 1 + residual.
attn_out = layer.layer_scale1(attn_out)
q_hidden = q_hidden + attn_out
# FFN block: norm2 -> MLP -> layer_scale2 -> residual.
ffn_out = layer.mlp(layer.norm2(q_hidden))
ffn_out = layer.layer_scale2(ffn_out)
q_hidden = q_hidden + ffn_out
# Final layer norm (same norm used at the end of encode_patches).
q_hidden = self.dino.layernorm(q_hidden) # [B, 1, D]
# Squeeze sequence dim and project to output dimension.
z = self.output_proj(q_hidden.squeeze(1)) # [B, output_dim]
if return_attention:
return z, all_attn_weights
return z
# ======================================================================
# Phase 2b: shallow query-attend (single cross-attention on final features)
# ======================================================================
def shallow_query_attend(
self,
query: torch.Tensor,
patch_features: torch.Tensor,
) -> torch.Tensor:
"""
Single cross-attention on final DINO features (no layer propagation).
This is the "shallow" baseline: the query does ONE attention over the
already-computed final patch embeddings. Different queries produce
near-identical outputs (BUG-004 validation) because there's no deep
propagation to amplify query differences.
Args:
query: ``[B, query_dim]``
patch_features: ``[B, N+1, D]`` (output of encode_patches)
Returns:
z: ``[B, output_dim]``
"""
B = query.shape[0]
# Project query into DINO space
q = self.query_input_proj(query).unsqueeze(1) # [B, 1, D]
# Single cross-attention: query attends to all patches
Q = q.view(B, 1, self.num_heads, self.head_dim).transpose(1, 2)
K = patch_features.view(B, -1, self.num_heads, self.head_dim).transpose(1, 2)
V = K.clone() # K=V from the same features (no separate projections)
# Use the last layer's K/V projections for proper attention
last_layer = self.dino.encoder.layer[-1]
attn_mod = last_layer.attention.attention
normed = last_layer.norm1(patch_features)
K = attn_mod.key(normed).view(B, -1, self.num_heads, self.head_dim).transpose(1, 2)
V = attn_mod.value(normed).view(B, -1, self.num_heads, self.head_dim).transpose(1, 2)
attn_out = F.scaled_dot_product_attention(Q, K, V) # [B, H, 1, d]
# Merge heads
attn_out = attn_out.transpose(1, 2).contiguous().view(B, 1, self.dino_dim)
# Output projection + layer norm
q_hidden = self.dino.layernorm(attn_out)
z = self.output_proj(q_hidden.squeeze(1)) # [B, output_dim]
return z
# ======================================================================
# Convenience: full forward (encode + attend in one call)
# ======================================================================
def forward(
self,
images: torch.Tensor,
query: torch.Tensor,
) -> torch.Tensor:
"""
Full forward: encode patches then attend with query.
Args:
images: ``[B, 3, H, W]``
query: ``[B, query_dim]``
Returns:
z: ``[B, output_dim]`` foveated visual token.
"""
_, kv_cache = self.encode_patches(images)
return self.query_attend(query, kv_cache)
# ---------------------------------------------------------------------------
# Self-test
# ---------------------------------------------------------------------------
if __name__ == "__main__":
print("=" * 60)
print("Testing FoveatedEncoder (deep query mode)")
print("=" * 60)
device = "cuda" if torch.cuda.is_available() else "cpu"
print(f"\nDevice: {device}")
encoder = FoveatedEncoder(
dino_model_name="facebook/dinov2-small",
query_dim=384,
output_dim=384,
).to(device)
print(f" dino_dim = {encoder.dino_dim}")
print(f" num_heads = {encoder.num_heads}")
print(f" head_dim = {encoder.head_dim}")
print(f" num_layers = {encoder.num_layers}")
print(f" patch_size = {encoder.patch_size}")
batch_size = 2
images = torch.randn(batch_size, 3, 224, 224, device=device)
query_a = torch.randn(batch_size, 384, device=device)
query_b = torch.randn(batch_size, 384, device=device)
print(f"\n num_patches(224) = {encoder.num_patches(224)}")
print(f" num_tokens(224) = {encoder.num_tokens(224)}")
# -- Phase 1 --
print("\n--- encode_patches ---")
patch_features, kv_cache = encoder.encode_patches(images)
print(f" patch_features: {patch_features.shape}")
print(f" kv_cache: {len(kv_cache)} layers, K shape = {kv_cache[0][0].shape}")
# -- Phase 2 --
print("\n--- query_attend ---")
z_a = encoder.query_attend(query_a, kv_cache)
z_b = encoder.query_attend(query_b, kv_cache)
print(f" z_a: {z_a.shape}")
print(f" z_b: {z_b.shape}")
# Check that different queries give different outputs.
cosine = F.cosine_similarity(z_a, z_b, dim=-1).mean().item()
l2_diff = (z_a - z_b).norm(dim=-1).mean().item()
print(f" cosine(z_a, z_b) = {cosine:.4f} (should be << 1.0)")
print(f" L2 diff = {l2_diff:.4f} (should be >> 0)")
# -- Backward --
print("\n--- backward ---")
z_a.sum().backward()
print(" backward: OK")
# -- Combined forward --
print("\n--- forward (combined) ---")
encoder.zero_grad()
z = encoder(images, query_a)
z.sum().backward()
print(f" z: {z.shape}")
print(" backward: OK")
print("\n" + "=" * 60)
print("All tests passed.")
print("=" * 60)
|