-
Notifications
You must be signed in to change notification settings - Fork 4
/
architectures.py
1359 lines (1147 loc) · 56 KB
/
architectures.py
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
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/python3
import tensorflow as tf
from abc import ABC, abstractmethod
from tensorflow.keras import layers as k_layers
from tensorflow.keras.layers import MaxPooling2D, Conv2D, Input, \
UpSampling2D, Concatenate, Dropout, ZeroPadding2D, \
GlobalAveragePooling2D, GlobalMaxPooling2D, Dense
from tensorflow.keras.models import Model
from cnn_lib import ConvBlock, MyMaxPooling, MyMaxUnpooling, \
categorical_dice, categorical_tversky, ResBlock, IdentityBlock, ASPP
from cnn_exceptions import ModelConfigError
class _BaseModel(Model, ABC):
"""A base Model class holding methods mutual for various architectures."""
def __init__(self, nr_classes, nr_bands=12, nr_filters=64, batch_norm=True,
dilation_rate=1, tensor_shape=(256, 256),
activation=k_layers.ReLU, padding='same',
dropout_rate_input=None, dropout_rate_hidden=None,
use_bias=True, onehot_encode=True, name='model', **kwargs):
"""Model constructor.
:param nr_classes: number of classes to be predicted
:param nr_bands: number of bands of intended input images
:param nr_filters: base number of convolution filters (multiplied
deeper in the model)
:param batch_norm: boolean saying whether to use batch normalization
or not
:param dilation_rate: convolution dilation rate
:param tensor_shape: shape of the first two dimensions of input tensors
:param activation: activation layer
:param padding: 'valid' means no padding. 'same' results in padding
evenly to the left/right or up/down of the input such that output
has the same height/width dimension as the input
:param dropout_rate_input: float between 0 and 1. Fraction of the input
units of the input layer to drop
:param dropout_rate_hidden: float between 0 and 1. Fraction of
the input
:param use_bias: Boolean, whether the layer uses a bias vector
:param onehot_encode: boolean to onehot-encode masks in the last layer
:param name: The name of the model
"""
super(_BaseModel, self).__init__(name=name, **kwargs)
self.nr_classes = nr_classes
self.nr_bands = nr_bands
self.nr_filters = nr_filters
self.batch_norm = batch_norm
self.dilation_rate = dilation_rate
self.tensor_shape = tensor_shape
self.activation = activation
self.padding = padding
self.dropout_rate_input = dropout_rate_input
self.dropout_rate_hidden = dropout_rate_hidden
self.use_bias = use_bias
# TODO: Maybe use_bias should be by default == False, see:
# https://arxiv.org/pdf/1502.03167.pdf
self.onehot_encode = onehot_encode
self.check_parameters()
# layers instantiation
self.dropout_in = self.get_input_dropout_layer()
# a call to self.instantiate_layers() returning the rest should be here
# for children classes
self.outputs = self.get_classifier_layer()
def check_parameters(self):
"""Check the reasonability of the architecture parameters."""
if any([i % (2 ** 4) != 0 for i in self.tensor_shape]):
raise ModelConfigError(
'The tensor height and tensor width must be divisible by 32 '
'for the architecture, but they are {} and {} '
'respectively instead'.format(self.tensor_shape[0],
self.tensor_shape[1])
)
def get_classifier_function(self):
"""Choose the activation function for the last layer.
:return: string containing the name of the activation function
"""
if self.nr_classes == 2:
classifier_activation = 'sigmoid'
else:
classifier_activation = 'softmax'
return classifier_activation
def get_input_dropout_layer(self):
"""Apply dropout to the input layer if wanted.
:return: dropout layer
"""
if self.dropout_rate_input is not None:
x = Dropout(rate=self.dropout_rate_input, name='dropout_input')
else:
x = lambda a: a
return x
def get_classifier_layer(self):
"""Get the classifier layer.
:return: the classifier layer
"""
if self.onehot_encode is True:
nr_filters = self.nr_classes
else:
nr_filters = 1
return Conv2D(nr_filters,
(1, 1),
activation=self.get_classifier_function(),
padding=self.padding,
dilation_rate=self.dilation_rate,
name='classifier_layer')
def summary(self, line_length=None, positions=None, print_fn=None):
"""Print a string summary of the network.
Must be overriden with the Input layer defined because of a bug in
TF. However, this solution also prints the input layer - that one is
not actually part of the network.
:param line_length: Total length of printed lines
:param positions: Relative or absolute positions of log elements
in each line
:param print_fn: Print function to use
:return: printed string summary of the network
"""
inputs = Input((self.tensor_shape[0], self.tensor_shape[1],
self.nr_bands), name='input')
model = Model(inputs=[inputs], outputs=self.call(inputs),
name=self.name)
return model.summary()
@abstractmethod
def instantiate_layers(self):
"""Instantiate layers lying between the input and the classifier.
TODO: Maybe the layers could be put defined as class variables instead
of returned values?
:return: this thing unfortunately differs
"""
pass
def get_config(self):
"""Return the configuration of the convolutional block.
Allows later reinstantiation (without its trained weights) from this
configuration. It does not include connectivity information, nor the
model class name.
:return: the configuration dictionary of the convolutional block
"""
return super(_BaseModel, self).get_config()
class UNet(_BaseModel):
"""U-Net architecture.
For the original paper, see <https://arxiv.org/pdf/1505.04597.pdf>.
The original architecture was enhanced by the option to perform dropout
and batch normalization and to specify padding (no padding in the
original - cropping would be needed in such case).
"""
def __init__(self, *args, **kwargs):
"""Model constructor.
:param nr_classes: number of classes to be predicted
:param nr_bands: number of bands of intended input images
:param nr_filters: base number of convolution filters (multiplied
deeper in the model)
:param batch_norm: boolean saying whether to use batch normalization
or not
:param dilation_rate: convolution dilation rate
:param tensor_shape: shape of the first two dimensions of input tensors
:param activation: activation function, such as tf.nn.relu, or string
name of built-in activation function, such as 'relu'
:param padding: 'valid' means no padding. 'same' results in padding
evenly to the left/right or up/down of the input such that output
has the same height/width dimension as the input
:param dropout_rate_input: float between 0 and 1. Fraction of the input
units of the input layer to drop
:param dropout_rate_hidden: float between 0 and 1. Fraction of
the input
"""
super(UNet, self).__init__(*args, **kwargs)
ds_layers, self.m_block, us_layers = self.instantiate_layers()
self.ds_blocks = ds_layers[0]
self.ds_pools = ds_layers[1]
self.us_pools = us_layers[0]
self.us_convs = us_layers[1]
self.us_concats = us_layers[2]
self.us_blocks = us_layers[3]
def call(self, inputs, training=None, mask=None):
"""Call the model on new inputs.
:param inputs: Input tensor, or dict/list/tuple of input tensors
:param training: Boolean or boolean scalar tensor, indicating whether
to run the Network in training mode or inference mode
:param mask: A mask or list of masks
:return: the output of the classifier layer
"""
x = self.dropout_in(inputs)
# downsampling
x, concat_layers = self.run_downsampling_section(x)
# middle block
x = self.m_block(x)
# upsampling
x = self.run_upsampling_section(x, concat_layers)
# softmax classifier head layer
classes = self.outputs(x)
return classes
def instantiate_layers(self):
"""Instantiate layers lying between the input and the classifier.
TODO: Maybe the layers could be put defined as class variables instead
of returned values?
:return: this thing unfortunately differs
"""
# downsampling layers
ds_blocks = []
ds_pools = []
for i in range(4):
ds_blocks.append(ConvBlock((self.nr_filters * (2 ** i), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=2,
name=f'downsampling_block{i}'))
ds_pools.append(MaxPooling2D(pool_size=(2, 2), strides=(2, 2),
data_format='channels_last',
name=f'downsampling_pooling{i}'))
ds_ret = (ds_blocks, ds_pools)
# middle conv block
m_block = ConvBlock((self.nr_filters * (2 ** 4), ), ((3, 3), ),
(self.activation, ), (self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden, depth=2,
name='middle_block')
# upsampling layers
us_samples = []
us_convs = []
us_concats = []
us_blocks = []
for i in range(3, -1, -1):
us_samples.append(UpSampling2D(size=(2, 2),
name=f'upsampling_pool{i}'))
us_convs.append(Conv2D(self.nr_filters * (2 ** i), (2, 2),
padding=self.padding,
dilation_rate=self.dilation_rate,
name=f'upsampling_conv{i}'))
# concatenate the upsampled weights with the corresponding ones
# from the contracting path
us_concats.append(Concatenate(axis=3,
name=f'upsampling_concat{i}'))
us_blocks.append(ConvBlock((self.nr_filters * (2 ** i), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=2,
name=f'upsampling_block{i}'))
us_ret = (us_samples, us_convs, us_concats, us_blocks)
return ds_ret, m_block, us_ret
def run_downsampling_section(self, x):
"""Run U-Net downsampling.
:param x: input tensor
:return: output of the downsampling, list of layer outputs to be
concatenated
"""
concat_layers = []
for i in range(4):
x = self.ds_blocks[i](x)
concat_layers.append(x)
x = self.ds_pools[i](x)
return x, concat_layers
def run_upsampling_section(self, x, concat_layers):
"""Run U-Net upsampling.
:param x: input tensor
:param concat_layers: list of layer outputs from downsampling to be
concatenated
:return: output of the upsampling
"""
for i in range(4):
x = self.us_pools[i](x)
x = self.us_convs[i](x)
# concatenate the upsampled weights with the corresponding ones
# from the contracting path
x = self.us_concats[i]([x, concat_layers[-(i + 1)]])
x = self.us_blocks[i](x)
return x
class SegNet(_BaseModel):
"""SegNet architecture.
For the original paper, see <https://arxiv.org/pdf/1511.00561.pdf>.
The original architecture was enhanced by the option to perform dropout
and batch normalization and to specify padding.
"""
def __init__(self, *args, **kwargs):
"""Model constructor.
:param nr_classes: number of classes to be predicted
:param nr_bands: number of bands of intended input images
:param nr_filters: base number of convolution filters (multiplied
deeper in the model)
:param batch_norm: boolean saying whether to use batch normalization
or not
:param dilation_rate: convolution dilation rate
:param tensor_shape: shape of the first two dimensions of input tensors
:param activation: activation function, such as tf.nn.relu, or string
name of built-in activation function, such as 'relu'
:param padding: 'valid' means no padding. 'same' results in padding
evenly to the left/right or up/down of the input such that output
has the same height/width dimension as the input
:param dropout_rate_input: float between 0 and 1. Fraction of the input
units of the input layer to drop
:param dropout_rate_hidden: float between 0 and 1. Fraction of
the input
"""
super(SegNet, self).__init__(*args, **kwargs)
ds_layers, us_layers = self.instantiate_layers()
self.ds_blocks = ds_layers[0]
self.ds_pools = ds_layers[1]
self.us_pools = us_layers[0]
self.us_blocks = us_layers[1]
def call(self, inputs, training=None, mask=None):
"""Call the model on new inputs.
:param inputs: Input tensor, or dict/list/tuple of input tensors
:param training: Boolean or boolean scalar tensor, indicating whether
to run the Network in training mode or inference mode
:param mask: A mask or list of masks
:return: the output of the classifier layer
"""
x = self.dropout_in(inputs)
# downsampling
x, pool_indices = self.run_downsampling_section(x)
# upsampling
x = self.run_upsampling_section(x, pool_indices)
# softmax classifier head layer
classes = self.outputs(x)
return classes
def instantiate_layers(self):
"""Instantiate layers lying between the input and the classifier.
TODO: Maybe the layers could be put defined as class variables instead
of returned values?
:return: this thing unfortunately differs
"""
# downsampling layers
ds_blocks = []
ds_pools = []
for i in range(2):
# blocks of the depth 2
ds_blocks.append(ConvBlock((self.nr_filters * (2 ** i), ),
((3, 3), ),
(self.activation, ), (self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=2,
name=f'downsampling_block{i}'))
ds_pools.append(MyMaxPooling(pool_size=(2, 2),
strides=(2, 2),
data_format='channels_last'))
for i in range(2, 5):
# blocks of the depth 3
ds_blocks.append(ConvBlock((self.nr_filters * (2 ** i), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=3,
name=f'downsampling_block{i}'))
ds_pools.append(MyMaxPooling(pool_size=(2, 2),
strides=(2, 2),
data_format='channels_last'))
ds_ret = (ds_blocks, ds_pools)
# upsampling layers
us_samples = []
us_blocks = []
for i in range(4, 1, -1):
# blocks of the depth 3
# upsampling with shared indices
us_samples.append(MyMaxUnpooling(pool_size=(2, 2)))
us_blocks.append(ConvBlock((self.nr_filters * (2 ** i), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=2,
name=f'upsampling_block{i}_2'))
us_blocks.append(ConvBlock((self.nr_filters * (2 ** (i - 1)), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=1,
name=f'upsampling_block{i}_1'))
# a block of the depth 2
us_samples.append(MyMaxUnpooling(pool_size=(2, 2)))
us_blocks.append(ConvBlock((self.nr_filters * (2 ** 1), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=1,
name=f'upsampling_block1_2'))
us_blocks.append(ConvBlock((self.nr_filters * (2 ** 0), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=1,
name=f'upsampling_block1_1'))
# a block of the depth 1
# the paper states depth two and then softmax, but I believe that this
# should do the same trick
us_samples.append(MyMaxUnpooling(pool_size=(2, 2)))
us_blocks.append(ConvBlock((self.nr_filters * (2 ** 0), ),
((3, 3), ),
(self.activation, ),
(self.padding, ),
self.dilation_rate,
dropout_rate=self.dropout_rate_hidden,
depth=1,
name=f'upsampling_block0'))
us_ret = (us_samples, us_blocks)
return ds_ret, us_ret
def run_downsampling_section(self, x):
"""Run SegNet downsampling.
:param x: input tensor
:return: output of the downsampling, list of layer outputs to be
concatenated
"""
pool_indices = []
for i in range(len(self.ds_blocks)):
x = self.ds_blocks[i](x)
x, pi = self.ds_pools[i](x)
pool_indices.append(pi)
return x, pool_indices
def run_upsampling_section(self, x, pool_indices):
"""Run SegNet upsampling.
:param x: input tensor
:param pool_indices: indices from the downsampling pooling layers to
be used for the upsampling
:return: output of the upsampling
"""
for i in range(len(self.us_pools)):
x = self.us_pools[i]((x, pool_indices[- (i + 1)]))
x = self.us_blocks[2 * i](x)
if 2 * i + 1 < len(self.us_blocks):
x = self.us_blocks[2 * i + 1](x)
return x
class ResNet(_BaseModel):
"""ResNet architecture.
For the original paper, see <https://arxiv.org/pdf/1512.03385.pdf>.
The original architecture was enhanced by the option to perform dropout.
Another change is the fact that the batch normalization is used after
activation functions, not before them - to see motivation for this step,
see the following links:
<https://www.reddit.com/r/MachineLearning/comments/67gonq/d_batch_normalization_before_or_after_relu/>
<https://blog.paperspace.com/busting-the-myths-about-batch-normalization/>
<https://stackoverflow.com/questions/39691902/ordering-of-batch-normalization-and-dropout>
"""
def __init__(self, *args, pooling='avg', depth=50, include_top=True,
return_layers=None, **kwargs):
"""Model constructor.
:param nr_classes: number of classes to be predicted
:param nr_bands: number of bands of intended input images
:param nr_filters: base number of convolution filters (multiplied
deeper in the model)
:param batch_norm: boolean saying whether to use batch normalization
or not
:param dilation_rate: convolution dilation rate
:param tensor_shape: shape of the first two dimensions of input tensors
:param activation: activation function, such as tf.nn.relu, or string
name of built-in activation function, such as 'relu'
:param padding: 'valid' means no padding. 'same' results in padding
evenly to the left/right or up/down of the input such that output
has the same height/width dimension as the input
:param dropout_rate_input: float between 0 and 1. Fraction of the input
units of the input layer to drop
:param dropout_rate_hidden: float between 0 and 1. Fraction of
the input
:param pooling: global pooling mode for feature extraction
(must be 'avg' or 'max')
:param depth: depth of the ResNet model (must be 50, 101, or 152)
:param include_top: whether to include the fully-connected layer
at the top of the network
:param return_layers: layers to be returned (allows multistage
returns for the usage of ResNet as a backbone architecture)
"""
if pooling not in ('avg', 'max'):
raise ModelConfigError(
f'Pooling {pooling} not supported for ResNet. Supported '
f'pooling values are "avg" and "max"')
if depth not in (50, 101, 152):
raise ModelConfigError(
f'ResNet variant of depth {depth} not supported. Supported '
f'depths are 50, 101, and 152')
self.pooling = pooling
self.depth = depth
self.include_top = include_top
self.return_layers = return_layers
super(ResNet, self).__init__(*args, **kwargs)
# get depths of individual ResNet stages depending on total depth
self.depths = self.get_stage_depths(depth)
self.resnet_layers = self.instantiate_layers()
def call(self, inputs, training=None, mask=None):
"""Call the model on new inputs.
:param inputs: Input tensor, or dict/list/tuple of input tensors
:param training: Boolean or boolean scalar tensor, indicating whether
to run the Network in training mode or inference mode
:param mask: A mask or list of masks
:return: the output of the last layer
(either classifier or pooling for the case of the backbone usage)
"""
x = self.dropout_in(inputs)
# run resnet
return_outputs = [] # used if self.return_layers is not None
for layer in self.resnet_layers:
x = layer(x)
if self.return_layers is not None:
if layer.name in self.return_layers:
return_outputs.append(x)
if len(return_outputs) == len(self.return_layers):
return return_outputs
# TODO: Situation with return layers and self.include_top is True
# classifier head layer
if self.outputs is not None:
x = self.outputs(x)
return x
def get_config(self):
"""Return the configuration of the convolutional block.
Allows later reinstantiation (without its trained weights) from this
configuration. It does not include connectivity information, nor the
model class name.
:return: the configuration dictionary of the convolutional block
"""
config = super(ResNet, self).get_config()
config.update(pooling=self.pooling,
depth=self.depth,
include_top=self.include_top,
return_layers=self.return_layers)
return config
def instantiate_layers(self):
"""Instantiate layers lying between the input and the classifier.
TODO: Maybe the layers could be put defined as class variables instead
of returned values?
:return: this thing unfortunately differs
"""
# stage 1
stage1 = [ZeroPadding2D(padding=(3, 3), name='conv1_pad'),
ConvBlock(filters=(64,),
kernel_sizes=((7, 7),),
activations=(self.activation,),
paddings=('valid',),
dropout_rate=self.dropout_rate_hidden,
depth=1,
strides=((2, 2),),
use_bias=self.use_bias,
kernel_initializer='he_normal',
name='conv_block_1'),
ZeroPadding2D(padding=(1, 1), name='pool1_pad'),
MaxPooling2D((3, 3), strides=(2, 2))]
# TODO: Why zero padding?
# stage 2
stage2 = [ResBlock(kernel_size=3,
filters=(64, 64, 256),
dropout_rate=self.dropout_rate_hidden,
strides=(1, 1),
activation=self.activation,
use_bias=self.use_bias,
name='res_block_2_1')]
for i in range(2, self.depths[1] + 1):
stage2.append(IdentityBlock(kernel_size=3,
filters=(64, 64, 256),
activation=self.activation,
dropout_rate=self.dropout_rate_hidden,
use_bias=self.use_bias,
name=f'id_block_2_{i}'))
# stage 3
stage3 = [ResBlock(kernel_size=3,
filters=(128, 128, 512),
activation=self.activation,
dropout_rate=self.dropout_rate_hidden,
use_bias=self.use_bias,
name='res_block_3_1')]
for i in range(2, self.depths[2] + 1):
stage3.append(IdentityBlock(kernel_size=3,
filters=(128, 128, 512),
activation=self.activation,
dropout_rate=self.dropout_rate_hidden,
use_bias=self.use_bias,
name=f'id_block_3_{i}'))
# stage 4
stage4 = [ResBlock(kernel_size=3,
filters=(256, 256, 1024),
use_bias=self.use_bias,
activation=self.activation,
dropout_rate=self.dropout_rate_hidden,
name='res_block_4_1')]
for i in range(2, self.depths[3] + 1):
stage4.append(IdentityBlock(kernel_size=3,
filters=(256, 256, 1024),
use_bias=self.use_bias,
activation=self.activation,
dropout_rate=self.dropout_rate_hidden,
name=f'id_block_4_{i}'))
# stage 5
stage5 = [ResBlock(kernel_size=3,
filters=(512, 512, 2048),
use_bias=self.use_bias,
activation=self.activation,
dropout_rate=self.dropout_rate_hidden,
name='res_block_5_1')]
for i in range(2, self.depths[4] + 1):
stage5.append(IdentityBlock(kernel_size=3,
filters=(512, 512, 2048),
use_bias=self.use_bias,
activation=self.activation,
dropout_rate=self.dropout_rate_hidden,
name=f'id_block_5_{i}'))
# top
if self.pooling == 'avg':
top = [GlobalAveragePooling2D()]
else:
# self.pooling == 'max'
top = [GlobalMaxPooling2D()]
return stage1 + stage2 + stage3 + stage4 + stage5 + top
def get_classifier_layer(self):
"""Get the classifier layer.
:return: the classifier layer
"""
if self.include_top is True:
return Dense(self.nr_classes, activation=self.activation,
name='classifier_layer')
else:
return None
@staticmethod
def get_stage_depths(depth):
"""Get depths corresponding to individual stages of ResNet.
:param depth: depth of the ResNet model
:return: a tuple of depths corresponding to individual stages of ResNet
"""
stage_2_depth = 3
if depth == 50:
stage_3_depth = 4
stage_4_depth = 6
elif depth == 101:
stage_3_depth = 4
stage_4_depth = 23
else:
# depth == 152
stage_3_depth = 8
stage_4_depth = 36
stage_5_depth = 3
return 1, stage_2_depth, stage_3_depth, stage_4_depth, stage_5_depth
class DeepLabv3Plus(_BaseModel):
"""DeeLabv3+ architecture.
For the original paper, see <https://arxiv.org/pdf/1802.02611.pdf>.
The original architecture was enhanced by the option to perform dropout.
"""
def __init__(self, *args, resnet_pooling='avg', resnet_depth=50,
resnet_2_out=None, **kwargs):
"""Model constructor.
:param nr_classes: number of classes to be predicted
:param nr_bands: number of bands of intended input images
:param nr_filters: base number of convolution filters (multiplied
deeper in the model)
:param batch_norm: boolean saying whether to use batch normalization
or not
:param dilation_rate: convolution dilation rate
:param tensor_shape: shape of the first two dimensions of input tensors
:param activation: activation function, such as tf.nn.relu, or string
name of built-in activation function, such as 'relu'
:param padding: 'valid' means no padding. 'same' results in padding
evenly to the left/right or up/down of the input such that output
has the same height/width dimension as the input
:param dropout_rate_input: float between 0 and 1. Fraction of the input
units of the input layer to drop
:param dropout_rate_hidden: float between 0 and 1. Fraction of
the input
:param resnet_pooling: global pooling mode for feature extraction
in the backbone ResNet model (must be 'avg' or 'max')
:param resnet_2_out: ResNet layer to be passed into ASPP
(if not set, corresponding level of the fourth stage chosen)
:param resnet_depth: depth of the ResNet backbone model
(must be 50, 101, or 152)
"""
self.resnet_pooling = resnet_pooling
self.resnet_depth = resnet_depth
if resnet_2_out is None:
self.resnet_2_out = self.get_resnet_2_out(resnet_depth,
out_stage=4)
else:
self.resnet_2_out = resnet_2_out
super(DeepLabv3Plus, self).__init__(*args, **kwargs)
# instantiate layers
self.backbone = None
self.aspp = None
self.aspp_upsample = None
self.low_level = None
self.concat = None
self.decoder_layers = None
self.instantiate_layers()
def call(self, inputs, training=None, mask=None):
"""Call the model on new inputs.
:param inputs: Input tensor, or dict/list/tuple of input tensors
:param training: Boolean or boolean scalar tensor, indicating whether
to run the Network in training mode or inference mode
:param mask: A mask or list of masks
:return: the output of the classifier layer
"""
# in contrast to other architectures, the input layer is skipped
# here, because the backbone architecture has its own input handling
resnet_1_out, resnet_2_out = self.backbone(inputs)
aspp_out = self.aspp(resnet_2_out) # usually resnet layer stg4 l6
aspp_out = self.aspp_upsample(aspp_out)
low_level_conv = self.low_level(resnet_1_out) # usually resnet stg2 l3
x = self.concat([aspp_out, low_level_conv])
for layer in self.decoder_layers:
x = layer(x)
# softmax classifier head layer
classes = self.outputs(x)
return classes
def instantiate_layers(self):
"""Instantiate layers lying between the input and the classifier."""
# skipping last block of ResNet - seems to correspond with the
# original DeepLabv3+ paper
self.backbone = ResNet(self.nr_classes, pooling=self.resnet_pooling,
include_top=False, depth=self.resnet_depth,
activation=self.activation,
use_bias=self.use_bias,
dropout_rate_hidden=self.dropout_rate_hidden,
return_layers=('id_block_2_3',
self.resnet_2_out),
name='resnet')
backbone_out_1_pooled = 4
if 'block_4' in self.resnet_2_out:
backbone_out_2_pooled = 16
elif 'block_5' in self.resnet_2_out:
backbone_out_2_pooled = 32
else:
raise ModelConfigError('So far only id_block_4_6 and id_block_5_3 '
'are supported as the deepest outputs from '
'ResNet for DeepLabv3+')
# following the paper in using only dilation rates 1, 6, 12, and 18
# pool_dims should correspond to the dims of the returned layers from
# the backbone model
self.aspp = ASPP(
dilation_rates=(1, 6, 12, 18),
pool_dims=(self.tensor_shape[0] // backbone_out_2_pooled,
self.tensor_shape[1] // backbone_out_2_pooled),
activation=self.activation,
dropout_rate=self.dropout_rate_hidden)
self.aspp_upsample = UpSampling2D(
size=[backbone_out_2_pooled // backbone_out_1_pooled,
backbone_out_2_pooled // backbone_out_1_pooled],
interpolation='bilinear',
name='aspp_upsample')
self.low_level = ConvBlock(filters=(48, ),
kernel_sizes=((1, 1), ),
activations=(self.activation,),
dropout_rate=self.dropout_rate_hidden,
paddings=('same',),
depth=1,
kernel_initializer='he_normal',
name='low_level_conv_block',
use_bias=self.use_bias)
self.concat = Concatenate(name='decoder_concat')
# decoder
self.decoder_layers = [
ConvBlock(filters=(256, 256),
kernel_sizes=((3, 3), ),
activations=(self.activation,),
paddings=('same',),
dropout_rate=self.dropout_rate_hidden,
depth=2,
kernel_initializer='he_normal',
name='decoder_conv_blocks',
use_bias=self.use_bias),
UpSampling2D(size=[backbone_out_1_pooled,
backbone_out_1_pooled],
interpolation='bilinear',
name='decoder_final_upsample')]
def get_config(self):
"""Return the configuration of the convolutional block.
Allows later reinstantiation (without its trained weights) from this
configuration. It does not include connectivity information, nor the
model class name.
:return: the configuration dictionary of the convolutional block
"""
config = super(DeepLabv3Plus, self).get_config()
config.update(resnet_pooling=self.resnet_pooling,
resnet_depth=self.resnet_depth,
resnet_2_out=self.resnet_2_out)
return config
@staticmethod
def get_resnet_2_out(resnet_depth, out_stage):
"""Get identifier of the backbone intermediate output layer.
:param resnet_depth: Depth of the ResNet backbone model
(must be 50, 101, or 152)
:param out_stage: Backbone stage at which to find the last level
:return: layer identifier string
"""
resnet_stages_depths = ResNet.get_stage_depths(resnet_depth)
desired_stage_depth = resnet_stages_depths[out_stage - 1]
return f'id_block_{out_stage}_{desired_stage_depth}'
class VGG(_BaseModel):
"""VGG architecture.
For the original paper, see <https://arxiv.org/abs/1409.1556>.
The original architecture was enhanced by the option to perform dropout
after every convolutional layer instead of only after the two
fully-connected ones. Another change is the implementation of batch
normalization.
"""
def __init__(self, *args, depth=16, include_top=True,
return_layers=None, **kwargs):
"""Model constructor.
:param nr_classes: number of classes to be predicted
:param nr_bands: number of bands of intended input images
:param nr_filters: base number of convolution filters (multiplied
deeper in the model)
:param batch_norm: boolean saying whether to use batch normalization
or not
:param dilation_rate: convolution dilation rate
:param tensor_shape: shape of the first two dimensions of input tensors
:param activation: activation function, such as tf.nn.relu, or string
name of built-in activation function, such as 'relu'
:param padding: 'valid' means no padding. 'same' results in padding
evenly to the left/right or up/down of the input such that output
has the same height/width dimension as the input
:param dropout_rate_input: float between 0 and 1. Fraction of the input
units of the input layer to drop
:param dropout_rate_hidden: float between 0 and 1. Fraction of
the input
:param depth: depth of the VGG model (so far, only VGG-16 implemented)
:param include_top: whether to include the fully-connected layer
at the top of the network
:param return_layers: layers to be returned (allows multistage
returns for the usage of ResNet as a backbone architecture)
"""
if depth != 16:
raise ModelConfigError(
f'VGG variant of depth {depth} not supported. Supported '
f'depth is only 16 so far')
self.depth = depth
self.include_top = include_top
self.return_layers = return_layers
super(VGG, self).__init__(*args, **kwargs)
self.vgg_layers = self.instantiate_layers()
def call(self, inputs, training=None, mask=None):
"""Call the model on new inputs.
:param inputs: Input tensor, or dict/list/tuple of input tensors
:param training: Boolean or boolean scalar tensor, indicating whether
to run the Network in training mode or inference mode
:param mask: A mask or list of masks
:return: the output of the last layer
(either classifier or pooling for the case of the backbone usage)
"""
x = self.dropout_in(inputs)