You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
177 lines
7.0 KiB
177 lines
7.0 KiB
import torch
|
|
import torch.nn as nn
|
|
|
|
from transformers.models.ijepa.configuration_ijepa import IJepaConfig
|
|
|
|
from ... import initialization as init
|
|
from ...modeling_outputs import BaseModelOutputWithPooling, ImageClassifierOutput
|
|
from ...processing_utils import Unpack
|
|
from ...utils import TransformersKwargs, auto_docstring, torch_int
|
|
from ..vit.modeling_vit import ViTEmbeddings, ViTForImageClassification, ViTModel, ViTPreTrainedModel
|
|
|
|
|
|
class IJepaEmbeddings(ViTEmbeddings):
|
|
def __init__(self, config: IJepaConfig, use_mask_token: bool = False) -> None:
|
|
super().__init__(config, use_mask_token)
|
|
# Remove cls_token from IJepaEmbeddings, as it is not used in the model
|
|
del self.cls_token
|
|
num_patches = self.patch_embeddings.num_patches
|
|
self.position_embeddings = nn.Parameter(torch.randn(1, num_patches, config.hidden_size))
|
|
|
|
def interpolate_pos_encoding(self, embeddings: torch.Tensor, height: int, width: int) -> torch.Tensor:
|
|
"""
|
|
This method allows to interpolate the pre-trained position encodings, to be able to use the model on higher resolution
|
|
images. This method is also adapted to support torch.jit tracing.
|
|
|
|
Adapted from:
|
|
- https://github.com/facebookresearch/dino/blob/de9ee3df6cf39fac952ab558447af1fa1365362a/vision_transformer.py#L174-L194, and
|
|
- https://github.com/facebookresearch/dinov2/blob/e1277af2ba9496fbadf7aec6eba56e8d882d1e35/dinov2/models/vision_transformer.py#L179-L211
|
|
"""
|
|
|
|
num_patches = embeddings.shape[1]
|
|
num_positions = self.position_embeddings.shape[1]
|
|
|
|
# always interpolate when tracing to ensure the exported model works for dynamic input shapes
|
|
if not torch.jit.is_tracing() and num_patches == num_positions and height == width:
|
|
return self.position_embeddings
|
|
|
|
patch_pos_embed = self.position_embeddings
|
|
|
|
dim = embeddings.shape[-1]
|
|
|
|
new_height = height // self.patch_size
|
|
new_width = width // self.patch_size
|
|
|
|
sqrt_num_positions = torch_int(num_positions**0.5)
|
|
patch_pos_embed = patch_pos_embed.reshape(1, sqrt_num_positions, sqrt_num_positions, dim)
|
|
patch_pos_embed = patch_pos_embed.permute(0, 3, 1, 2)
|
|
|
|
patch_pos_embed = nn.functional.interpolate(
|
|
patch_pos_embed,
|
|
size=(new_height, new_width),
|
|
mode="bicubic",
|
|
align_corners=False,
|
|
)
|
|
|
|
patch_pos_embed = patch_pos_embed.permute(0, 2, 3, 1).view(1, -1, dim)
|
|
|
|
return patch_pos_embed
|
|
|
|
def forward(
|
|
self,
|
|
pixel_values: torch.Tensor,
|
|
bool_masked_pos: torch.BoolTensor | None = None,
|
|
interpolate_pos_encoding: bool = False,
|
|
) -> torch.Tensor:
|
|
batch_size, _, height, width = pixel_values.shape
|
|
embeddings = self.patch_embeddings(pixel_values, interpolate_pos_encoding=interpolate_pos_encoding)
|
|
|
|
if bool_masked_pos is not None:
|
|
seq_length = embeddings.shape[1]
|
|
mask_tokens = self.mask_token.expand(batch_size, seq_length, -1)
|
|
# replace the masked visual tokens by mask_tokens
|
|
mask = bool_masked_pos.unsqueeze(-1).type_as(mask_tokens)
|
|
embeddings = embeddings * (1.0 - mask) + mask_tokens * mask
|
|
|
|
# add positional encoding to each token
|
|
if interpolate_pos_encoding:
|
|
embeddings = embeddings + self.interpolate_pos_encoding(embeddings, height, width)
|
|
else:
|
|
embeddings = embeddings + self.position_embeddings
|
|
|
|
embeddings = self.dropout(embeddings)
|
|
|
|
return embeddings
|
|
|
|
|
|
@auto_docstring
|
|
class IJepaPreTrainedModel(ViTPreTrainedModel):
|
|
@torch.no_grad()
|
|
def _init_weights(self, module: nn.Linear | nn.Conv2d | nn.LayerNorm) -> None:
|
|
"""Initialize the weights"""
|
|
if isinstance(module, (nn.Linear, nn.Conv2d)):
|
|
init.trunc_normal_(module.weight, mean=0.0, std=self.config.initializer_range)
|
|
if module.bias is not None:
|
|
init.zeros_(module.bias)
|
|
elif isinstance(module, nn.LayerNorm):
|
|
init.zeros_(module.bias)
|
|
init.ones_(module.weight)
|
|
elif isinstance(module, IJepaEmbeddings):
|
|
init.trunc_normal_(module.position_embeddings, mean=0.0, std=self.config.initializer_range)
|
|
if module.mask_token is not None:
|
|
init.zeros_(module.mask_token)
|
|
|
|
|
|
class IJepaModel(IJepaPreTrainedModel, ViTModel):
|
|
def __init__(self, config: IJepaConfig, add_pooling_layer: bool = False, use_mask_token: bool = False):
|
|
r"""
|
|
add_pooling_layer (bool, *optional*, defaults to `True`):
|
|
Whether to add a pooling layer
|
|
use_mask_token (`bool`, *optional*, defaults to `False`):
|
|
Whether to use a mask token for masked image modeling.
|
|
"""
|
|
super().__init__(config)
|
|
self.config = config
|
|
self.embeddings = IJepaEmbeddings(config, use_mask_token=use_mask_token)
|
|
|
|
|
|
@auto_docstring(
|
|
custom_intro="""
|
|
IJepa Model transformer with an image classification head on top (a linear layer on top of the final hidden states)
|
|
e.g. for ImageNet.
|
|
|
|
<Tip>
|
|
|
|
Note that it's possible to fine-tune IJepa on higher resolution images than the ones it has been trained on, by
|
|
setting `interpolate_pos_encoding` to `True` in the forward of the model. This will interpolate the pre-trained
|
|
position embeddings to the higher resolution.
|
|
|
|
</Tip>
|
|
"""
|
|
)
|
|
class IJepaForImageClassification(IJepaPreTrainedModel, ViTForImageClassification):
|
|
def __init__(self, config: IJepaConfig):
|
|
super().__init__(config)
|
|
self.ijepa = IJepaModel(config, add_pooling_layer=False)
|
|
self.post_init()
|
|
|
|
def forward(
|
|
self,
|
|
pixel_values: torch.Tensor | None = None,
|
|
labels: torch.Tensor | None = None,
|
|
interpolate_pos_encoding: bool | None = None,
|
|
**kwargs: Unpack[TransformersKwargs],
|
|
) -> ImageClassifierOutput:
|
|
r"""
|
|
labels (`torch.LongTensor` of shape `(batch_size,)`, *optional*):
|
|
Labels for computing the image classification/regression loss. Indices should be in `[0, ...,
|
|
config.num_labels - 1]`. If `config.num_labels == 1` a regression loss is computed (Mean-Square loss), If
|
|
`config.num_labels > 1` a classification loss is computed (Cross-Entropy).
|
|
"""
|
|
|
|
outputs: BaseModelOutputWithPooling = self.ijepa(
|
|
pixel_values,
|
|
interpolate_pos_encoding=interpolate_pos_encoding,
|
|
**kwargs,
|
|
)
|
|
sequence_output = outputs.last_hidden_state
|
|
logits = self.classifier(sequence_output.mean(dim=1))
|
|
|
|
loss = None
|
|
if labels is not None:
|
|
loss = self.loss_function(labels, logits, self.config, **kwargs)
|
|
|
|
return ImageClassifierOutput(
|
|
loss=loss,
|
|
logits=logits,
|
|
hidden_states=outputs.hidden_states,
|
|
attentions=outputs.attentions,
|
|
)
|
|
|
|
|
|
__all__ = [
|
|
"IJepaPreTrainedModel",
|
|
"IJepaModel",
|
|
"IJepaForImageClassification",
|
|
]
|