Spaces:
Configuration error
Configuration error
File size: 8,380 Bytes
1ab1a09 |
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 |
# Copyright (c) 2021 PaddlePaddle Authors. All Rights Reserved.
#
# 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.
import paddle
import paddle.nn as nn
import paddle.nn.functional as F
from paddleseg.cvlibs import manager
from paddleseg.models import layers
from paddleseg.utils import utils
@manager.MODELS.add_component
class FastFCN(nn.Layer):
"""
The FastFCN implementation based on PaddlePaddle.
The original article refers to
Huikai Wu, Junge Zhang, Kaiqi Huang. "FastFCN: Rethinking Dilated Convolution in the Backbone for Semantic Segmentation".
Args:
num_classes (int): The unique number of target classes.
backbone (Paddle.nn.Layer): A backbone network.
backbone_indices (tuple): The values in the tuple indicate the indices of
output of backbone.
num_codes (int): The number of encoded words. Default: 32.
mid_channels (int): The channels of middle layers. Default: 512.
use_jpu (bool): Whether use jpu module. Default: True.
aux_loss (bool): Whether use auxiliary head loss. Default: True.
use_se_loss (int): Whether use semantic encoding loss. Default: True.
add_lateral (int): Whether use lateral convolution layers. Default: False.
pretrained (str, optional): The path or url of pretrained model. Default: None.
"""
def __init__(self,
num_classes,
backbone,
num_codes=32,
mid_channels=512,
use_jpu=True,
aux_loss=True,
use_se_loss=True,
add_lateral=False,
pretrained=None):
super().__init__()
self.add_lateral = add_lateral
self.num_codes = num_codes
self.backbone = backbone
self.use_jpu = use_jpu
in_channels = self.backbone.feat_channels
if use_jpu:
self.jpu_layer = layers.JPU(in_channels, mid_channels)
in_channels[-1] = mid_channels * 4
self.bottleneck = layers.ConvBNReLU(
in_channels[-1],
mid_channels,
1,
padding=0,
bias_attr=False, )
else:
self.bottleneck = layers.ConvBNReLU(
in_channels[-1],
mid_channels,
3,
padding=1,
bias_attr=False, )
if self.add_lateral:
self.lateral_convs = nn.LayerList([
layers.ConvBNReLU(
in_channels[0], mid_channels, 1, bias_attr=False),
layers.ConvBNReLU(
in_channels[1], mid_channels, 1, bias_attr=False),
])
self.fusion = layers.ConvBNReLU(
3 * mid_channels,
mid_channels,
3,
padding=1,
bias_attr=False, )
self.enc_module = EncModule(mid_channels, num_codes)
self.cls_seg = nn.Conv2D(mid_channels, num_classes, 1)
self.aux_loss = aux_loss
if self.aux_loss:
self.fcn_head = layers.AuxLayer(in_channels[-2], mid_channels,
num_classes)
self.use_se_loss = use_se_loss
if use_se_loss:
self.se_layer = nn.Linear(mid_channels, num_classes)
self.pretrained = pretrained
self.init_weight()
def init_weight(self):
if self.pretrained is not None:
utils.load_entire_model(self, self.pretrained)
def forward(self, inputs):
imsize = paddle.shape(inputs)[2:]
feats = self.backbone(inputs)
if self.use_jpu:
feats = self.jpu_layer(*feats)
fcn_feat = feats[2]
feat = self.bottleneck(feats[-1])
if self.add_lateral:
laterals = []
for i, lateral_conv in enumerate(self.lateral_convs):
laterals.append(
F.interpolate(
lateral_conv(feats[i]),
size=paddle.shape(feat)[2:],
mode='bilinear',
align_corners=False))
feat = self.fusion(paddle.concat([feat, *laterals], 1))
encode_feat, feat = self.enc_module(feat)
out = self.cls_seg(feat)
out = F.interpolate(
out, size=imsize, mode='bilinear', align_corners=False)
output = [out]
if self.training:
fcn_out = self.fcn_head(fcn_feat)
fcn_out = F.interpolate(
fcn_out, size=imsize, mode='bilinear', align_corners=False)
output.append(fcn_out)
if self.use_se_loss:
se_out = self.se_layer(encode_feat)
output.append(se_out)
return output
return output
class Encoding(nn.Layer):
def __init__(self, channels, num_codes):
super().__init__()
self.channels, self.num_codes = channels, num_codes
std = 1 / ((channels * num_codes)**0.5)
self.codewords = self.create_parameter(
shape=(num_codes, channels),
default_initializer=nn.initializer.Uniform(-std, std), )
self.scale = self.create_parameter(
shape=(num_codes, ),
default_initializer=nn.initializer.Uniform(-1, 0), )
def scaled_l2(self, x, codewords, scale):
num_codes, channels = paddle.shape(codewords)
reshaped_scale = scale.reshape([1, 1, num_codes])
expanded_x = paddle.tile(x.unsqueeze(2), [1, 1, num_codes, 1])
reshaped_codewords = codewords.reshape([1, 1, num_codes, channels])
scaled_l2_norm = reshaped_scale * (
expanded_x - reshaped_codewords).pow(2).sum(axis=3)
return scaled_l2_norm
def aggregate(self, assignment_weights, x, codewords):
num_codes, channels = paddle.shape(codewords)
reshaped_codewords = codewords.reshape([1, 1, num_codes, channels])
expanded_x = paddle.tile(
x.unsqueeze(2),
[1, 1, num_codes, 1], )
encoded_feat = (assignment_weights.unsqueeze(3) *
(expanded_x - reshaped_codewords)).sum(axis=1)
return encoded_feat
def forward(self, x):
x_dims = x.ndim
assert x_dims == 4, "The dimension of input tensor must equal 4, but got {}.".format(
x_dims)
assert paddle.shape(
x
)[1] == self.channels, "Encoding channels error, excepted {} but got {}.".format(
self.channels, paddle.shape(x)[1])
batch_size = paddle.shape(x)[0]
x = x.reshape([batch_size, self.channels, -1]).transpose([0, 2, 1])
assignment_weights = F.softmax(
self.scaled_l2(x, self.codewords, self.scale), axis=2)
encoded_feat = self.aggregate(assignment_weights, x, self.codewords)
encoded_feat = encoded_feat.reshape([batch_size, self.num_codes, -1])
return encoded_feat
class EncModule(nn.Layer):
def __init__(self, in_channels, num_codes):
super().__init__()
self.encoding_project = layers.ConvBNReLU(
in_channels,
in_channels,
1, )
self.encoding = nn.Sequential(
Encoding(
channels=in_channels, num_codes=num_codes),
nn.BatchNorm1D(num_codes),
nn.ReLU(), )
self.fc = nn.Sequential(
nn.Linear(in_channels, in_channels),
nn.Sigmoid(), )
def forward(self, x):
encoding_projection = self.encoding_project(x)
encoding_feat = self.encoding(encoding_projection).mean(axis=1)
batch_size, channels, _, _ = paddle.shape(x)
gamma = self.fc(encoding_feat)
y = gamma.reshape([batch_size, channels, 1, 1])
output = F.relu(x + x * y)
return encoding_feat, output
|