File size: 2,724 Bytes
8e63d2a 48f24b9 8e63d2a |
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 |
from typing import Optional, Sequence, Type
import gym
import torch
import torch.nn as nn
from rl_algo_impls.shared.encoder.cnn import FlattenedCnnEncoder
from rl_algo_impls.shared.module.utils import layer_init
class ResidualBlock(nn.Module):
def __init__(
self,
channels: int,
activation: Type[nn.Module] = nn.ReLU,
init_layers_orthogonal: bool = False,
) -> None:
super().__init__()
self.residual = nn.Sequential(
activation(),
layer_init(
nn.Conv2d(channels, channels, 3, padding=1), init_layers_orthogonal
),
activation(),
layer_init(
nn.Conv2d(channels, channels, 3, padding=1), init_layers_orthogonal
),
)
def forward(self, x: torch.Tensor) -> torch.Tensor:
return x + self.residual(x)
class ConvSequence(nn.Module):
def __init__(
self,
in_channels: int,
out_channels: int,
activation: Type[nn.Module] = nn.ReLU,
init_layers_orthogonal: bool = False,
) -> None:
super().__init__()
self.seq = nn.Sequential(
layer_init(
nn.Conv2d(in_channels, out_channels, 3, padding=1),
init_layers_orthogonal,
),
nn.MaxPool2d(3, stride=2, padding=1),
ResidualBlock(out_channels, activation, init_layers_orthogonal),
ResidualBlock(out_channels, activation, init_layers_orthogonal),
)
def forward(self, x: torch.Tensor) -> torch.Tensor:
return self.seq(x)
class ImpalaCnn(FlattenedCnnEncoder):
"""
IMPALA-style CNN architecture
"""
def __init__(
self,
obs_space: gym.Space,
activation: Type[nn.Module],
cnn_init_layers_orthogonal: Optional[bool],
linear_init_layers_orthogonal: bool,
cnn_flatten_dim: int,
impala_channels: Sequence[int] = (16, 32, 32),
**kwargs,
) -> None:
if cnn_init_layers_orthogonal is None:
cnn_init_layers_orthogonal = False
in_channels = obs_space.shape[0] # type: ignore
sequences = []
for out_channels in impala_channels:
sequences.append(
ConvSequence(
in_channels, out_channels, activation, cnn_init_layers_orthogonal
)
)
in_channels = out_channels
sequences.append(activation())
cnn = nn.Sequential(*sequences)
super().__init__(
obs_space,
activation,
linear_init_layers_orthogonal,
cnn_flatten_dim,
cnn,
**kwargs,
)
|