File size: 12,586 Bytes
34a4bcb |
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 |
# 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
from collections.abc import Sequence
from typing import Any
import torch
import torch.nn as nn
from monai.networks.blocks import Convolution, ResidualUnit
from monai.networks.layers.factories import Act, Norm
__all__ = ["AutoEncoder"]
class AutoEncoder(nn.Module):
"""
Simple definition of an autoencoder and base class for the architecture implementing
:py:class:`monai.networks.nets.VarAutoEncoder`. The network is composed of an encode sequence of blocks, followed
by an intermediary sequence of blocks, and finally a decode sequence of blocks. The encode and decode blocks are
default :py:class:`monai.networks.blocks.Convolution` instances with the encode blocks having the given stride
and the decode blocks having transpose convolutions with the same stride. If `num_res_units` is given residual
blocks are used instead.
By default the intermediary sequence is empty but if `inter_channels` is given to specify the output channels of
blocks then this will be become a sequence of Convolution blocks or of residual blocks if `num_inter_units` is
given. The optional parameter `inter_dilations` can be used to specify the dilation values of the convolutions in
these blocks, this allows a network to use dilated kernels in this middle section. Since the intermediary section
isn't meant to change the size of the output the strides for all these kernels is 1.
Args:
spatial_dims: number of spatial dimensions.
in_channels: number of input channels.
out_channels: number of output channels.
channels: sequence of channels. Top block first. The length of `channels` should be no less than 2.
strides: sequence of convolution strides. The length of `stride` should equal to `len(channels) - 1`.
kernel_size: convolution kernel size, the value(s) should be odd. If sequence,
its length should equal to dimensions. Defaults to 3.
up_kernel_size: upsampling convolution kernel size, the value(s) should be odd. If sequence,
its length should equal to dimensions. Defaults to 3.
num_res_units: number of residual units. Defaults to 0.
inter_channels: sequence of channels defining the blocks in the intermediate layer between encode and decode.
inter_dilations: defines the dilation value for each block of the intermediate layer. Defaults to 1.
num_inter_units: number of residual units for each block of the intermediate layer. Defaults to 0.
act: activation type and arguments. Defaults to PReLU.
norm: feature normalization type and arguments. Defaults to instance norm.
dropout: dropout ratio. Defaults to no dropout.
bias: whether to have a bias term in convolution blocks. Defaults to True.
According to `Performance Tuning Guide <https://pytorch.org/tutorials/recipes/recipes/tuning_guide.html>`_,
if a conv layer is directly followed by a batch norm layer, bias should be False.
padding: controls the amount of implicit zero-paddings on both sides for padding number of points
for each dimension in convolution blocks. Defaults to None.
Examples::
from monai.networks.nets import AutoEncoder
# 3 layers each down/up sampling their inputs by a factor 2 with no intermediate layer
net = AutoEncoder(
spatial_dims=2,
in_channels=1,
out_channels=1,
channels=(2, 4, 8),
strides=(2, 2, 2)
)
# 1 layer downsampling by 2, followed by a sequence of residual units with 2 convolutions defined by
# progressively increasing dilations, then final upsample layer
net = AutoEncoder(
spatial_dims=2,
in_channels=1,
out_channels=1,
channels=(4,),
strides=(2,),
inter_channels=(8, 8, 8),
inter_dilations=(1, 2, 4),
num_inter_units=2
)
"""
def __init__(
self,
spatial_dims: int,
in_channels: int,
out_channels: int,
channels: Sequence[int],
strides: Sequence[int],
kernel_size: Sequence[int] | int = 3,
up_kernel_size: Sequence[int] | int = 3,
num_res_units: int = 0,
inter_channels: list | None = None,
inter_dilations: list | None = None,
num_inter_units: int = 2,
act: tuple | str | None = Act.PRELU,
norm: tuple | str = Norm.INSTANCE,
dropout: tuple | str | float | None = None,
bias: bool = True,
padding: Sequence[int] | int | None = None,
) -> None:
super().__init__()
self.dimensions = spatial_dims
self.in_channels = in_channels
self.out_channels = out_channels
self.channels = list(channels)
self.strides = list(strides)
self.kernel_size = kernel_size
self.up_kernel_size = up_kernel_size
self.num_res_units = num_res_units
self.act = act
self.norm = norm
self.dropout = dropout
self.bias = bias
self.padding = padding
self.num_inter_units = num_inter_units
self.inter_channels = inter_channels if inter_channels is not None else []
self.inter_dilations = list(inter_dilations or [1] * len(self.inter_channels))
# The number of channels and strides should match
if len(channels) != len(strides):
raise ValueError("Autoencoder expects matching number of channels and strides")
self.encoded_channels = in_channels
decode_channel_list = list(channels[-2::-1]) + [out_channels]
self.encode, self.encoded_channels = self._get_encode_module(self.encoded_channels, channels, strides)
self.intermediate, self.encoded_channels = self._get_intermediate_module(self.encoded_channels, num_inter_units)
self.decode, _ = self._get_decode_module(self.encoded_channels, decode_channel_list, strides[::-1] or [1])
def _get_encode_module(
self, in_channels: int, channels: Sequence[int], strides: Sequence[int]
) -> tuple[nn.Sequential, int]:
"""
Returns the encode part of the network by building up a sequence of layers returned by `_get_encode_layer`.
"""
encode = nn.Sequential()
layer_channels = in_channels
for i, (c, s) in enumerate(zip(channels, strides)):
layer = self._get_encode_layer(layer_channels, c, s, False)
encode.add_module("encode_%i" % i, layer)
layer_channels = c
return encode, layer_channels
def _get_intermediate_module(self, in_channels: int, num_inter_units: int) -> tuple[nn.Module, int]:
"""
Returns the intermediate block of the network which accepts input from the encoder and whose output goes
to the decoder.
"""
# Define some types
intermediate: nn.Module
unit: nn.Module
intermediate = nn.Identity()
layer_channels = in_channels
if self.inter_channels:
intermediate = nn.Sequential()
for i, (dc, di) in enumerate(zip(self.inter_channels, self.inter_dilations)):
if self.num_inter_units > 0:
unit = ResidualUnit(
spatial_dims=self.dimensions,
in_channels=layer_channels,
out_channels=dc,
strides=1,
kernel_size=self.kernel_size,
subunits=self.num_inter_units,
act=self.act,
norm=self.norm,
dropout=self.dropout,
dilation=di,
bias=self.bias,
padding=self.padding,
)
else:
unit = Convolution(
spatial_dims=self.dimensions,
in_channels=layer_channels,
out_channels=dc,
strides=1,
kernel_size=self.kernel_size,
act=self.act,
norm=self.norm,
dropout=self.dropout,
dilation=di,
bias=self.bias,
padding=self.padding,
)
intermediate.add_module("inter_%i" % i, unit)
layer_channels = dc
return intermediate, layer_channels
def _get_decode_module(
self, in_channels: int, channels: Sequence[int], strides: Sequence[int]
) -> tuple[nn.Sequential, int]:
"""
Returns the decode part of the network by building up a sequence of layers returned by `_get_decode_layer`.
"""
decode = nn.Sequential()
layer_channels = in_channels
for i, (c, s) in enumerate(zip(channels, strides)):
layer = self._get_decode_layer(layer_channels, c, s, i == (len(strides) - 1))
decode.add_module("decode_%i" % i, layer)
layer_channels = c
return decode, layer_channels
def _get_encode_layer(self, in_channels: int, out_channels: int, strides: int, is_last: bool) -> nn.Module:
"""
Returns a single layer of the encoder part of the network.
"""
mod: nn.Module
if self.num_res_units > 0:
mod = ResidualUnit(
spatial_dims=self.dimensions,
in_channels=in_channels,
out_channels=out_channels,
strides=strides,
kernel_size=self.kernel_size,
subunits=self.num_res_units,
act=self.act,
norm=self.norm,
dropout=self.dropout,
bias=self.bias,
padding=self.padding,
last_conv_only=is_last,
)
return mod
mod = Convolution(
spatial_dims=self.dimensions,
in_channels=in_channels,
out_channels=out_channels,
strides=strides,
kernel_size=self.kernel_size,
act=self.act,
norm=self.norm,
dropout=self.dropout,
bias=self.bias,
padding=self.padding,
conv_only=is_last,
)
return mod
def _get_decode_layer(self, in_channels: int, out_channels: int, strides: int, is_last: bool) -> nn.Sequential:
"""
Returns a single layer of the decoder part of the network.
"""
decode = nn.Sequential()
conv = Convolution(
spatial_dims=self.dimensions,
in_channels=in_channels,
out_channels=out_channels,
strides=strides,
kernel_size=self.up_kernel_size,
act=self.act,
norm=self.norm,
dropout=self.dropout,
bias=self.bias,
padding=self.padding,
conv_only=is_last and self.num_res_units == 0,
is_transposed=True,
)
decode.add_module("conv", conv)
if self.num_res_units > 0:
ru = ResidualUnit(
spatial_dims=self.dimensions,
in_channels=out_channels,
out_channels=out_channels,
strides=1,
kernel_size=self.kernel_size,
subunits=1,
act=self.act,
norm=self.norm,
dropout=self.dropout,
bias=self.bias,
padding=self.padding,
last_conv_only=is_last,
)
decode.add_module("resunit", ru)
return decode
def forward(self, x: torch.Tensor) -> Any:
x = self.encode(x)
x = self.intermediate(x)
x = self.decode(x)
return x
|