-
Notifications
You must be signed in to change notification settings - Fork 1.1k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Restormer Implementation #8312
Open
phisanti
wants to merge
24
commits into
Project-MONAI:dev
Choose a base branch
from
phisanti:dev
base: dev
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Restormer Implementation #8312
Changes from all commits
Commits
Show all changes
24 commits
Select commit
Hold shift + click to select a range
3db93ce
Add new pixel unshuffle for SubPixelDownsample class
phisanti 9693e04
Add unit test for pixelunshuffle
phisanti a89f299
Add DownSample Modes
phisanti 450691f
expand pixelunshuffle for 3D
phisanti d0920d8
increase testing for pixelunshuffle
phisanti 1a48d4d
expand pixelunshuffle for 3D images
phisanti fe47807
add SubpixelDownsample and tests
phisanti 86155cd
Add DownSample Class
phisanti 137a7f2
Add tests for Downsample
phisanti fb17baf
add exports to __init__
phisanti 5ff0baa
Include test to compare with Conv + unshuffle from original restormer
phisanti 2566db1
remove relative imports
phisanti ac4047b
Create restormer with Downsampler/Upsampler using monai implementation
phisanti 2b74270
Add channel attention block
phisanti 9b74533
add assembled restormer with MONAI convs for 3D
phisanti 1ab34f6
restormer adapted for 2D/3D
phisanti 4f4c62c
Add unit test for CABlock and the FeedForward layers
phisanti 068688f
remove relative imports
phisanti e2e1070
rename restormer
phisanti 35c7ee4
add unit test restormer
phisanti d8cb6c1
Update documentation and imports for CABlock and FeedForward; add Dow…
phisanti 6d96816
Add licence to pixel_unshuffle test
phisanti 8a688fb
Refactor imports and clean up whitespace in utils and test files and …
phisanti acb818d
[pre-commit.ci] auto fixes from pre-commit.com hooks
pre-commit-ci[bot] File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,159 @@ | ||
# Copyright (c) MONAI Consortium | ||
# Licensed under the Apache License, Version 2.0 (the "License"); | ||
# you may not use this file except in compliance with the License. | ||
# You may obtain a copy of the License at | ||
# http://www.apache.org/licenses/LICENSE-2.0 | ||
# Unless required by applicable law or agreed to in writing, software | ||
# distributed under the License is distributed on an "AS IS" BASIS, | ||
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
# See the License for the specific language governing permissions and | ||
# limitations under the License. | ||
from __future__ import annotations | ||
|
||
import torch | ||
import torch.nn as nn | ||
import torch.nn.functional as F | ||
from einops import rearrange | ||
|
||
from monai.networks.blocks.convolutions import Convolution | ||
|
||
__all__ = ["FeedForward", "CABlock"] | ||
|
||
|
||
class FeedForward(nn.Module): | ||
"""Gated-DConv Feed-Forward Network (GDFN) that controls feature flow using gating mechanism. | ||
Uses depth-wise convolutions for local context mixing and GELU-activated gating for refined feature selection.""" | ||
|
||
def __init__(self, spatial_dims: int, dim: int, ffn_expansion_factor: float, bias: bool): | ||
super().__init__() | ||
hidden_features = int(dim * ffn_expansion_factor) | ||
|
||
self.project_in = Convolution( | ||
spatial_dims=spatial_dims, | ||
in_channels=dim, | ||
out_channels=hidden_features * 2, | ||
kernel_size=1, | ||
bias=bias, | ||
conv_only=True, | ||
) | ||
|
||
self.dwconv = Convolution( | ||
spatial_dims=spatial_dims, | ||
in_channels=hidden_features * 2, | ||
out_channels=hidden_features * 2, | ||
kernel_size=3, | ||
strides=1, | ||
padding=1, | ||
groups=hidden_features * 2, | ||
bias=bias, | ||
conv_only=True, | ||
) | ||
|
||
self.project_out = Convolution( | ||
spatial_dims=spatial_dims, | ||
in_channels=hidden_features, | ||
out_channels=dim, | ||
kernel_size=1, | ||
bias=bias, | ||
conv_only=True, | ||
) | ||
|
||
def forward(self, x: torch.Tensor) -> torch.Tensor: | ||
x = self.project_in(x) | ||
x1, x2 = self.dwconv(x).chunk(2, dim=1) | ||
return self.project_out(F.gelu(x1) * x2) | ||
|
||
|
||
class CABlock(nn.Module): | ||
"""Multi-DConv Head Transposed Self-Attention (MDTA): Differs from standard self-attention | ||
by operating on feature channels instead of spatial dimensions. Incorporates depth-wise | ||
convolutions for local mixing before attention, achieving linear complexity vs quadratic | ||
in vanilla attention. Based on SW Zamir, et al., 2022 <https://arxiv.org/abs/2111.09881>""" | ||
|
||
def __init__(self, spatial_dims, dim: int, num_heads: int, bias: bool, flash_attention: bool = False): | ||
super().__init__() | ||
if flash_attention and not hasattr(F, "scaled_dot_product_attention"): | ||
raise ValueError("Flash attention not available") | ||
if spatial_dims > 3: | ||
raise ValueError(f"Only 2D and 3D inputs are supported. Got spatial_dims={spatial_dims}") | ||
self.spatial_dims = spatial_dims | ||
self.num_heads = num_heads | ||
self.temperature = nn.Parameter(torch.ones(num_heads, 1, 1)) | ||
self.flash_attention = flash_attention | ||
|
||
self.qkv = Convolution( | ||
spatial_dims=spatial_dims, in_channels=dim, out_channels=dim * 3, kernel_size=1, bias=bias, conv_only=True | ||
) | ||
|
||
self.qkv_dwconv = Convolution( | ||
spatial_dims=spatial_dims, | ||
in_channels=dim * 3, | ||
out_channels=dim * 3, | ||
kernel_size=3, | ||
strides=1, | ||
padding=1, | ||
groups=dim * 3, | ||
bias=bias, | ||
conv_only=True, | ||
) | ||
|
||
self.project_out = Convolution( | ||
spatial_dims=spatial_dims, in_channels=dim, out_channels=dim, kernel_size=1, bias=bias, conv_only=True | ||
) | ||
|
||
self._attention_fn = self._get_attention_fn() | ||
|
||
def _get_attention_fn(self): | ||
if self.flash_attention: | ||
return self._flash_attention | ||
return self._normal_attention | ||
|
||
def _flash_attention(self, q, k, v): | ||
"""Flash attention implementation using scaled dot-product attention.""" | ||
scale = float(self.temperature.mean()) | ||
out = F.scaled_dot_product_attention(q, k, v, scale=scale, dropout_p=0.0, is_causal=False) | ||
return out | ||
|
||
def _normal_attention(self, q, k, v): | ||
"""Attention matrix multiplication with depth-wise convolutions.""" | ||
attn = (q @ k.transpose(-2, -1)) * self.temperature | ||
attn = attn.softmax(dim=-1) | ||
return attn @ v | ||
|
||
def forward(self, x): | ||
"""Forward pass for MDTA attention. | ||
1. Apply depth-wise convolutions to Q, K, V | ||
2. Reshape Q, K, V for multi-head attention | ||
3. Compute attention matrix using flash or normal attention | ||
4. Reshape and project out attention output""" | ||
spatial_dims = x.shape[2:] | ||
|
||
# Project and mix | ||
qkv = self.qkv_dwconv(self.qkv(x)) | ||
q, k, v = qkv.chunk(3, dim=1) | ||
|
||
# Select attention | ||
if self.spatial_dims == 2: | ||
qkv_to_multihead = "b (head c) h w -> b head c (h w)" | ||
multihead_to_qkv = "b head c (h w) -> b (head c) h w" | ||
else: # dims == 3 | ||
qkv_to_multihead = "b (head c) d h w -> b head c (d h w)" | ||
multihead_to_qkv = "b head c (d h w) -> b (head c) d h w" | ||
|
||
# Reconstruct and project feature map | ||
q = rearrange(q, qkv_to_multihead, head=self.num_heads) | ||
k = rearrange(k, qkv_to_multihead, head=self.num_heads) | ||
v = rearrange(v, qkv_to_multihead, head=self.num_heads) | ||
|
||
q = torch.nn.functional.normalize(q, dim=-1) | ||
k = torch.nn.functional.normalize(k, dim=-1) | ||
|
||
out = self._attention_fn(q, k, v) | ||
out = rearrange( | ||
out, | ||
multihead_to_qkv, | ||
head=self.num_heads, | ||
**dict(zip(["h", "w"] if self.spatial_dims == 2 else ["d", "h", "w"], spatial_dims)), | ||
) | ||
|
||
return self.project_out(out) |
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
We should have a full docstring here describing the arguments for the constructor, and in the previous class.