-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcli.py
1156 lines (1085 loc) · 45.2 KB
/
cli.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
import time
import os
import numpy as np
from collections import defaultdict
from clize import run
from skimage.io import imsave
import pandas as pd
from sklearn.cluster import KMeans
import torchvision.transforms as transforms
import torch
from torch.utils.data import DataLoader
import torch.backends.cudnn as cudnn
from torch.autograd import Variable
from torch.nn.functional import smooth_l1_loss, cross_entropy
import model as model_module
from torchvision.datasets.folder import default_loader
from dataset import COCO
from dataset import VOC
from dataset import WIDER
from dataset import SubSample
import pyximport; pyximport.install()
from bounding_box import decode_bounding_box_list
from bounding_box import non_maximal_suppression_per_class
from bounding_box import precision
from bounding_box import recall
from bounding_box import build_anchors
from bounding_box import draw_bounding_boxes
from bounding_box import average_precision
from bounding_box import get_probas
from bounding_box import binary_cross_entropy_with_logits
from optim import FocalLoss
cudnn.benchmark = True
def train(*, config='config', resume=False):
print('Read config "{}"'.format(config))
cfg = _read_config(config)
w_loc = cfg['w_loc']
w_classif = cfg['w_classif']
batch_size = cfg['batch_size']
num_epoch = cfg['num_epoch']
image_size = cfg['image_size']
gamma = cfg['gamma']
mean = cfg['mean']
std = cfg['std']
imbalance_strategy = cfg['imbalance_strategy']
out_folder = cfg['out_folder']
negative_per_positive = cfg['negative_per_positive']
if imbalance_strategy == 'class_weight':
pos_weight = cfg['pos_weight']
neg_weight = cfg['neg_weight']
nms_iou_threshold = cfg['nms_iou_threshold']
eval_iou_threshold = cfg['eval_iou_threshold']
log_interval = cfg['log_interval']
nms_score_threshold = cfg['nms_score_threshold']
eval_interval = cfg['eval_interval']
aspect_ratios = cfg['aspect_ratios']
nms_topk = cfg['nms_topk']
debug = cfg['debug']
folders = [
'train',
'eval_train',
'eval_valid',
]
for f in folders:
try:
os.makedirs(os.path.join(out_folder, f))
except OSError:
pass
if debug:
log_interval = 30
# anchor list for each scale (we have 6 scales)
anchor_list = _build_anchor_list(cfg)
# dataset for train and valid
print('Loading dataset anotations...')
(train_dataset, valid_dataset), (train_evaluation, valid_evaluation) = _build_dataset(
cfg,
anchor_list=anchor_list,
)
print('Done loading dataset annotations.')
if debug:
n = 10
train_dataset = SubSample(train_dataset, nb=n)
valid_dataset = SubSample(valid_dataset, nb=n)
train_evaluation = SubSample(train_evaluation, nb=n)
valid_evaluation = SubSample(valid_evaluation, nb=n)
assert train_dataset.class_to_idx == valid_dataset.class_to_idx
assert train_dataset.idx_to_class == valid_dataset.idx_to_class
clfn = lambda l:l
# Dataset loaders for full training and full validation
train_loader = DataLoader(
train_dataset,
shuffle=True,
batch_size=batch_size,
collate_fn=clfn,
num_workers=cfg['num_workers'],
)
train_evaluation_loader = DataLoader(
train_evaluation,
batch_size=batch_size,
collate_fn=clfn,
num_workers=cfg['num_workers'],
)
valid_evaluation_loader = DataLoader(
valid_evaluation,
batch_size=batch_size,
collate_fn=clfn,
num_workers=cfg['num_workers'],
)
nb_classes = len(train_dataset.class_to_idx)
bgid = train_dataset.class_to_idx['background']
class_ids = list(set(train_dataset.class_to_idx.values()) - set([bgid]))
class_ids = sorted(class_ids)
print('Number of training images : {}'.format(len(train_dataset)))
print('Number of valid images : {}'.format(len(valid_dataset)))
print('Number of classes : {}'.format(nb_classes))
stats_filename = os.path.join(out_folder, 'stats.csv')
train_stats_filename = os.path.join(out_folder, 'train_stats.csv')
model_filename = os.path.join(out_folder, 'model.th')
optimizer_filename = os.path.join(out_folder, 'optimizer.th')
if resume:
print('Resuming model: {}'.format(model_filename))
model = torch.load(model_filename)
model = model.cuda()
if os.path.exists(optimizer_filename):
print('Resuming optimizer: {}'.format(optimizer_filename))
optimizer = torch.load(optimizer_filename)
else:
optimizer_cls = getattr(torch.optim, cfg['optim_algo'])
optimizer = optimizer_cls(model.parameters(), lr=0, **cfg['optim_params'])
if os.path.exists(stats_filename):
stats = pd.read_csv(stats_filename).to_dict(orient='list')
first_epoch = max(stats['epoch'])
else:
stats = defaultdict(list)
first_epoch = 1
if os.path.exists(train_stats_filename):
train_stats = pd.read_csv(train_stats_filename).to_dict(orient='list')
else:
train_stats = defaultdict(list)
use_discrete_coords = model.use_discrete_coords
coords_discretization = model.coords_discretization
print('Starting from epoch {}'.format(first_epoch))
else:
use_discrete_coords = cfg['use_discrete_coords']
if use_discrete_coords:
coords_discretization = torch.linspace(
cfg['discrete_coords_min'],
cfg['discrete_coords_max'],
cfg['discrete_coords_nb']
)
num_coords = 4 * len(coords_discretization) # discretization values for each x,y,w,h
else:
num_coords = 4
coords_discretization = None
if 'init_from' in cfg:
print('Init from {}'.format(cfg['init_from']))
model = torch.load(cfg['init_from'])
else:
model_class = getattr(model_module, cfg['model_name'])
kw = cfg.get('model_config', {})
model = model_class(
num_anchors=list(map(len, aspect_ratios)),
num_classes=nb_classes,
num_coords=num_coords,
**kw,
)
optimizer_cls = getattr(torch.optim, cfg['optim_algo'])
optimizer = optimizer_cls(model.parameters(), lr=0, **cfg['optim_params'])
model.use_discrete_coords = use_discrete_coords
model.num_coords = num_coords
model.coords_discretization = coords_discretization
model = model.cuda()
model.transform = valid_dataset.transform
model.nb_classes = nb_classes
model.aspect_ratios = aspect_ratios
model.anchor_list = anchor_list
model.image_size = image_size
first_epoch = 1
stats = defaultdict(list)
train_stats = defaultdict(list)
model.nb_updates = 0
model.avg_loss = 0.
model.avg_loc = 0.
model.avg_classif = 0
model.background_class_id = train_dataset.background_class_id
model.class_to_idx = train_dataset.class_to_idx
model.mean = mean
model.std = std
model.config = cfg
print(model)
classif_loss_name = cfg.get('classif_loss', 'cross_entropy')
model.classif_loss_name = classif_loss_name
if classif_loss_name == 'cross_entropy':
classif_loss = cross_entropy
elif classif_loss_name == 'binary_cross_entropy':
classif_loss = binary_cross_entropy_with_logits
elif classif_loss_name == 'focal_loss':
classif_loss = FocalLoss(
gamma=cfg.get('focal_loss_gamma', 2),
alpha=cfg.get('focal_loss_alpha', None),
)
else:
raise ValueError('Unknown classif loss : {}'.format(classif_loss_name))
if imbalance_strategy == 'class_weight':
class_weight = torch.zeros(nb_classes)
class_weight[0] = neg_weight
class_weight[1:] = pos_weight
class_weight = class_weight.cuda()
for epoch in range(first_epoch, num_epoch):
epoch_t0 = time.time()
model.train()
for batch, samples, in enumerate(train_loader):
t0 = time.time()
X, (Y, Ypred), (bbox_true, bbox_pred), (class_true, class_pred) = _predict(model, samples)
# X is batch of image
# Y is groundtruth output
# Ypred is predicted output
# bbox_true are groundtruth bounding boxes extracted from Y
# bbox_pred are predicted bounding boxes extracted from Ypred
# class_true are groundtruth classes extracted from Y
# class_pred are predicted classes extracted from Ypred
m = (class_true != bgid).view(-1)
ind = m.nonzero().view(-1)
bt = bbox_true
bp = bbox_pred
ct = class_true
cp = class_pred
N = max(len(ind), 1.0)
# localization loss
if use_discrete_coords:
l_loc = _discrete_coords_loss(bp[ind], bt[ind], coords_discretization)
else:
l_loc = smooth_l1_loss(bp[ind], bt[ind], size_average=False) / N
# classif loss
if imbalance_strategy == 'hard_negative_mining':
ind = torch.arange(len(ct))
pos = ind[(ct.data.cpu() > 0)].long().cuda()
neg = ind[(ct.data.cpu() == 0)].long().cuda()
ct_pos = ct[pos]
cp_pos = cp[pos]
ct_neg = ct[neg]
cp_neg = cp[neg]
cp_neg_loss = classif_loss(cp_neg, ct_neg, reduce=False)
cp_neg_loss = cp_neg_loss.cuda()
vals, indices = cp_neg_loss.sort(descending=True)
nb = len(ct_pos) * negative_per_positive
cp_neg = cp_neg[indices[0:nb]]
ct_neg = ct_neg[indices[0:nb]]
l_classif = (classif_loss(cp_pos, ct_pos, size_average=False) + classif_loss(cp_neg, ct_neg, size_average=False)) / N
elif imbalance_strategy == 'hard_negative_mining_with_sampling':
ind = torch.arange(len(ct))
pos = ind[(ct.data.cpu() > 0)].long().cuda()
neg = ind[(ct.data.cpu() == 0)].long().cuda()
ct_pos = ct[pos]
cp_pos = cp[pos]
ct_neg = ct[neg]
cp_neg = cp[neg]
nb = min(len(ct_pos) * negative_per_positive, len(ct_neg))
cp_neg_loss = classif_loss(cp_neg, ct_neg, reduce=False)
proba_sel = torch.nn.Softmax(dim=0)(cp_neg_loss)
proba_sel = proba_sel.cuda()
indices = torch.multinomial(proba_sel, nb)
cp_neg = cp_neg[indices]
ct_neg = ct_neg[indices]
l_classif = (classif_loss(cp_pos, ct_pos, size_average=False) + classif_loss(cp_neg, ct_neg, size_average=False)) / N
elif imbalance_strategy == 'undersampling':
ind = torch.arange(len(ct))
pos = ind[(ct.data.cpu() > 0)].long().cuda()
neg = ind[(ct.data.cpu() == 0)].long().cuda()
ct_pos = ct[pos]
cp_pos = cp[pos]
ct_neg = ct[neg]
cp_neg = cp[neg]
nb = len(ct_pos) * negative_per_positive
inds = torch.from_numpy(np.random.randint(0, len(ct_neg), nb))
inds = inds.long().cuda()
ct_neg = ct_neg[inds]
cp_neg = cp_neg[inds]
l_classif = (classif_loss(cp_pos, ct_pos, size_average=False) + classif_loss(cp_neg, ct_neg, size_average=False)) / N
elif imbalance_strategy == 'class_weight':
# TODO make it work if classif_loss is "binary_cross_entropy", it does not
# work in that case
l_classif = classif_loss(cp, ct, weight=class_weight, size_average=False) / N
elif imbalance_strategy == 'nothing':
l_classif = classif_loss(cp, ct, size_average=False) / N
else:
raise ValueError('unknown imbalance strategy : {}'.format(imbalance_strategy))
model.zero_grad()
loss = w_loc * l_loc + w_classif * l_classif
loss.backward()
_update_lr(optimizer, model.nb_updates, cfg['lr_schedule'])
optimizer.step()
model.avg_loss = model.avg_loss * gamma + item(loss) * (1 - gamma)
model.avg_loc = model.avg_loc * gamma + item(l_loc) * (1 - gamma)
model.avg_classif = model.avg_classif * gamma + item(l_classif) * (1 - gamma)
delta = time.time() - t0
print('Epoch {:05d}/{:05d} Batch {:05d}/{:05d} Loss : {:.3f} Loc : {:.3f} '
'Classif : {:.3f} AvgTrainLoss : {:.3f} AvgLoc : {:.3f} '
'AvgClassif {:.3f} Time:{:.3f}s'.format(
epoch,
num_epoch,
batch + 1,
len(train_loader),
item(loss),
item(l_loc),
item(l_classif),
model.avg_loss,
model.avg_loc,
model.avg_classif,
delta
))
train_stats['loss'].append(item(loss))
train_stats['loc'].append(item(l_loc))
train_stats['classif'].append(item(l_classif))
train_stats['time'].append(delta)
if model.nb_updates % log_interval == 0:
# reporting part
# -- draw training samples with their predicted and true bounding boxes
pd.DataFrame(train_stats).to_csv(train_stats_filename, index=False)
t0 = time.time()
torch.save(model, model_filename)
torch.save(optimizer, optimizer_filename)
X = X.data.cpu().numpy()
B = [[b for b, c in y] for y in Y]
B = [(np.array(b)) for b in B]
C = [[c for b, c in y] for y in Y]
C = [(np.array(c)) for c in C]
# B contains groundtruth bounding boxes for each scale
# C contains groundtruth classes for each scale
BP = [
bp.data.cpu().view(bp.size(0), -1, model.num_coords, bp.size(2), bp.size(3)).permute(0, 3, 4, 1, 2).numpy()
for bp, cp in Ypred]
CP = [
cp.data.cpu().view(cp.size(0), -1, model.nb_classes, cp.size(2), cp.size(3)).permute(0, 3, 4, 1, 2).numpy()
for bp, cp in Ypred]
# BP contains predicted bounding boxes for each scale
# CP contains predicted classes for each scale
for i in range(len(X)):
# for each example i in mini-batch
x = X[i]
x = x.transpose((1, 2, 0))
x = x * np.array(std) + np.array(mean)
x = x.astype('float32')
gt_boxes = []
pred_boxes = []
for j in range(len(Y)):
# for each scale j
ct = C[j][i]# class_id
cp = CP[j][i]#cl1_score,cl2_score,...
bt = B[j][i]#4
bp = BP[j][i]#4
if use_discrete_coords:
bp = _get_coords(bp, model.coords_discretization)
A = model.anchor_list[j]
# get groundtruth boxes
gt_boxes.extend(decode_bounding_box_list(
bt, ct, A,
include_scores=False,
image_size=image_size,
variance=cfg['variance'],
))
# get predicted boxes
cp = get_probas(cp, classif_loss_name, axis=3)
pred_boxes.extend(decode_bounding_box_list(
bp, cp, A,
include_scores=True,
image_size=image_size,
variance=cfg['variance'],
))
gt_boxes = [(box, class_id) for box, class_id in gt_boxes if class_id != bgid]
# apply non-maximal suppression to predicted boxes
# 1) for each class, filter low confidence predictions and then do NMS
# 2) concat all the bboxes from all classes
# 3) take to the topk (nms_topk)
if cfg['use_nms']:
pred_boxes = non_maximal_suppression_per_class(
pred_boxes,
background_class_id=bgid,
iou_threshold=nms_iou_threshold,
score_threshold=nms_score_threshold)
pred_boxes = pred_boxes[0:nms_topk]
else:
pred_boxes = [
(box, scores.argmax(), scores.max())
for box, scores in pred_boxes if scores.argmax() != bgid and scores.max() > nms_score_threshold
]
# get class names
gt_boxes = [(box, train_dataset.idx_to_class[class_id]) for box, class_id in gt_boxes]
pred_boxes = [(box, train_dataset.idx_to_class[class_id], score) for box, class_id, score in pred_boxes]
# draw boxes
pad = cfg['pad']
im = np.zeros((x.shape[0] + pad * 2, x.shape[1] + pad * 2, x.shape[2]))
im[pad:-pad, pad:-pad] = x
im = draw_bounding_boxes(im, gt_boxes, color=(1, 0, 0), text_color=(1, 0, 0), pad=pad)
im = draw_bounding_boxes(im, pred_boxes, color=(0, 1, 0), text_color=(0, 1, 0), pad=pad)
imsave(os.path.join(out_folder, 'train', 'sample_{:05d}.jpg'.format(i)), im)
delta = time.time() - t0
print('Draw box time {:.4f}s'.format(delta))
model.nb_updates += 1
epoch_time = time.time() - epoch_t0
if epoch % eval_interval != 0:
continue
if cfg.get('evaluate', True) is False:
continue
stats_epoch = _evaluate_model(model, train_evaluation_loader, valid_evaluation_loader)
stats_epoch['train_time'] = epoch_time
stats_epoch['epoch'] = epoch
for k, v in stats_epoch.items():
stats[k].append(v)
pd.DataFrame(stats).to_csv(stats_filename, index=False)
def evaluate(*, config):
cfg = _read_config(config)
model = torch.load(os.path.join(cfg['out_folder'], 'model.th'))
model = model.cuda()
model.eval()
anchor_list = _build_anchor_list(cfg)
(train_dataset, valid_dataset), (train_evaluation, valid_evaluation) = _build_dataset(
cfg,
anchor_list=anchor_list,
)
clfn = lambda l:l
train_evaluation_loader = DataLoader(
train_evaluation,
batch_size=cfg['batch_size'],
collate_fn=clfn,
num_workers=cfg['num_workers'],
)
valid_evaluation_loader = DataLoader(
valid_evaluation,
batch_size=cfg['batch_size'],
collate_fn=clfn,
num_workers=cfg['num_workers'],
)
stats = _evaluate_model(model, train_evaluation_loader, valid_evaluation_loader)
for k in sorted(stats.keys()):
print('{}: {:.4f}'.format(k, stats[k]))
def _evaluate_model(model, train, valid):
print('Evaluation')
bgid = train.dataset.class_to_idx['background']
t0 = time.time()
model.eval()
metrics = defaultdict(list)
cfg = model.config
class_ids = list(set(train.dataset.class_to_idx.values()) - set([bgid]))
class_ids = sorted(class_ids)
for split_name, loader in (('train', train), ('valid', valid)):
t0 = time.time()
im_index = 0
for batch, samples, in enumerate(loader):
tt0 = time.time()
X, (Y, Ypred), (bbox_true, bbox_pred), (class_true, class_pred) = _predict(model, samples)
X = X.data.cpu().numpy()
B = [[b for b, c in y] for y in Y]
B = [torch.from_numpy(np.array(b)).float() for b in B]
C = [[c for b, c in y] for y in Y]
C = [torch.from_numpy(np.array(c)).long() for c in C]
# B contains groundtruth bounding boxes for each scale
# C contains groundtruth classes for each scale
BP = [
bp.data.cpu().view(bp.size(0), -1, model.num_coords, bp.size(2), bp.size(3)).permute(0, 3, 4, 1, 2).numpy()
for bp, cp in Ypred]
CP = [
cp.data.cpu().view(cp.size(0), -1, model.nb_classes, cp.size(2), cp.size(3)).permute(0, 3, 4, 1, 2).numpy()
for bp, cp in Ypred]
# BP contains predicted bounding boxes for each scale
# CP contains predicted classes for each scale
for i in range(len(X)):
gt_boxes = []
pred_boxes = []
gt_boxes_per_class = defaultdict(list)
pred_boxes_per_class = defaultdict(list)
# for each example i in mini-batch
x = X[i]
x = x.transpose((1, 2, 0))
x = x * np.array(cfg['std']) + np.array(cfg['mean'])
x = x.astype('float32')
for j in range(len(Y)):
# for each scale j
ct = C[j][i]# class_id
cp = CP[j][i]#cl1_score,cl2_score,...
bt = B[j][i]#4
bp = BP[j][i]#4
if cfg['use_discrete_coords']:
bp = _get_coords(bp, model.coords_discretization)
A = model.anchor_list[j]
# get groundtruth boxes
gt_boxes.extend(decode_bounding_box_list(
bt, ct, A,
include_scores=False,
image_size=cfg['image_size'],
variance=cfg['variance'],
))
# get predicted boxes
cp = get_probas(cp, cfg['classif_loss'], axis=3)
pred_boxes.extend(decode_bounding_box_list(
bp, cp, A,
include_scores=True,
image_size=cfg['image_size'],
variance=cfg['variance']
))
gt_boxes = [(box, class_id) for box, class_id in gt_boxes if class_id != bgid]
for class_id in class_ids:
gt_boxes_per_class[class_id].extend([
box
for box, box_class_id in gt_boxes if class_id == box_class_id]
)
# use the predicted boxes and groundtruth boxes to compute precision and recall
# PER image
pred_boxes = non_maximal_suppression_per_class(
pred_boxes,
background_class_id=bgid,
iou_threshold=cfg['nms_iou_threshold'],
score_threshold=cfg['nms_score_threshold'],
)
for box, class_id, score in pred_boxes:
pred_boxes_per_class[class_id].append((box, score))
pred_boxes = pred_boxes[0:cfg['nms_topk']]
P = []
R = []
for class_id in class_ids:
t = [box for box, cl in gt_boxes if cl == class_id]
if len(t) == 0:
continue
p = [box for box, cl, score in pred_boxes if cl == class_id]
prec = precision(p, t, iou_threshold=cfg['eval_iou_threshold'])
re = recall(p, t, iou_threshold=cfg['eval_iou_threshold'])
metrics['precision_' + train.dataset.idx_to_class[class_id] + '_' + split_name].append(prec)
metrics['recall_' + train.dataset.idx_to_class[class_id] + '_' + split_name].append(re)
P.append(prec)
R.append(re)
metrics['precision_' + split_name].append(np.mean(P))
metrics['recall_' + split_name].append(np.mean(R))
gt_boxes = [(box, train.dataset.idx_to_class[class_id]) for box, class_id in gt_boxes]
pred_boxes = [(box, train.dataset.idx_to_class[class_id], score) for box, class_id, score in pred_boxes]
# compute mAP and AP PER image
recalls_mAP = np.linspace(0, 1, 11)
AP_for_recall = defaultdict(list)
AP_for_class = []
for class_id in class_ids:
APs = average_precision(
pred_boxes_per_class[class_id], gt_boxes_per_class[class_id],
iou_threshold=cfg['eval_iou_threshold'],
recalls_mAP=recalls_mAP,
aggregate=False,
)
if APs is None:
continue
AP = np.mean(APs)
AP_for_class.append(AP)
metrics['AP_' + train.dataset.idx_to_class[class_id] + '_' + split_name].append(AP)
for r, ap in zip(recalls_mAP, APs):
m = 'AP(rec_{:.2f})_{}_{}'.format(r, train.dataset.idx_to_class[class_id], split_name)
metrics[m].append(ap)
AP_for_recall[r].append(ap)
mAP = np.mean(AP_for_class)
metrics['mAP_' + split_name].append(mAP)
for r in recalls_mAP:
mAP = np.mean(AP_for_recall[r])
metrics['mAP(rec_{:.2f})_{}'.format(r, split_name)].append(mAP)
# draw boxes
pad = cfg['pad']
im = np.zeros((x.shape[0] + pad * 2, x.shape[1] + pad * 2, x.shape[2]))
im[pad:-pad, pad:-pad] = x
im = draw_bounding_boxes(im, gt_boxes, color=(1, 0, 0), text_color=(1, 0, 0), pad=pad)
im = draw_bounding_boxes(im, pred_boxes, color=(0, 1, 0), text_color=(0, 1, 0), pad=pad)
imsave(os.path.join(cfg['out_folder'], 'eval_{}'.format(split_name), 'sample_{:05d}.jpg'.format(im_index)), im)
im_index += 1
delta = time.time() - tt0
print('Eval Batch {:04d}/{:04d} on split {}, Time : {:.3f}s'.format(batch + 1, len(loader), split_name, delta))
delta = time.time() - t0
metrics['eval_' + split_name + '_time'] = [delta]
print('Eval time of {}: {:.4f}s'.format(split_name, delta))
stats = {}
for k in sorted(metrics.keys()):
v = np.mean(metrics[k])
print('{}: {:.4}'.format(k, v))
stats[k] = v
return stats
def _discrete_coords_loss(bp, bt, coords_discretization, **kwargs):
# shape of bt: (n_examples, 4)
# shape of bp : (n_examples, 4 * len(coords_discretization))
c = Variable(coords_discretization.view(1, 1, -1)).cuda()
bt = bt.view(bt.size(0), 4, 1)
_, btd = torch.abs(bt - c).min(2)
bp = bp.view(bp.size(0) * 4, len(coords_discretization))
btd = btd.view(btd.size(0) * 4)
return cross_entropy(bp, btd, **kwargs)
def _get_coords(bp, coords_discretization):
# shape of bp : (h, w, nb_anchors, 4 * len(coords_discretization))
bp = torch.from_numpy(bp)
bp = bp.contiguous()
h, w, nb_anchors = bp.size(0), bp.size(1), bp.size(2)
bp = bp.view(h * w * nb_anchors, 4, len(coords_discretization))
_, bpd = torch.max(bp, 2)
bpd = bpd.view(-1)
bpd = coords_discretization[bpd]
bpd = bpd.view(h, w, nb_anchors, 4)
return bpd.numpy()
def _predict(model, samples):
X = torch.stack([x for x, _, _ in samples], 0)
X = X.cuda()
X = Variable(X)
# X has shape (nb_examples, 3, image_size, image_size)
bbox_encodings = [be for _, _, be in samples]
Y = list(zip(*bbox_encodings))
B = [[b for b, c in y] for y in Y]
B = [torch.from_numpy(np.array(b)).float() for b in B]
C = [[c for b, c in y] for y in Y]
C = [torch.from_numpy(np.array(c)).long() for c in C]
bt = [b.view(-1, 4) for b in B]
bt = torch.cat(bt, 0)
# B has shape (*, 6)
ct = [c.view(-1) for c in C]
ct = torch.cat(ct, 0)
Ypred = model(X)
bp = [b.view(b.size(0), -1, model.num_coords, b.size(2), b.size(3)).permute(0, 3, 4, 1, 2).contiguous() for b, c in Ypred]
cp = [c.view(c.size(0), -1, model.nb_classes, c.size(2), c.size(3)).permute(0, 3, 4, 1, 2).contiguous() for b, c in Ypred]
bp = [b.view(-1, model.num_coords) for b in bp]
bp = torch.cat(bp, 0)
cp = [c.view(-1, model.nb_classes) for c in cp]
cp = torch.cat(cp, 0)
ct = Variable(ct).cuda()
bt = Variable(bt).cuda()
return X, (Y, Ypred), (bt, bp), (ct, cp)
def _update_lr(optimizer, nb_iter, schedule):
for sc in schedule:
(start_iter, end_iter), new_lr = sc['iter'], sc['lr']
if start_iter <= nb_iter <= end_iter:
break
old_lr = optimizer.param_groups[0]['lr']
if old_lr != new_lr:
print('Chaning LR from {:.5f} to {:.5f}'.format(old_lr, new_lr))
for g in optimizer.param_groups:
g['lr'] = new_lr
def test(
*,
in_folder='test_images',
out_folder='test_results',
model='out/model.th',
score_threshold=None,
topk=10,
iou_threshold=None,
background_threshold=0.5,
use_nms=True,
out=None,
cuda=False):
if not os.path.exists(out_folder):
os.makedirs(out_folder)
model = torch.load(model, map_location=lambda storage, loc: storage)
if cuda:
model = model.cuda()
model.eval()
filenames = [os.path.join(in_folder, f) for f in os.listdir(in_folder)]
for filename in filenames:
t0 = time.time()
try:
im = default_loader(filename)
except OSError:
continue
w, h = im.size
x = model.transform(im)
scale_w, scale_h = w / x.size(2), h / x.size(1)
X = x.view(1, x.size(0), x.size(1), x.size(2))
if cuda:
X = X.cuda()
X = Variable(X)
Ypred = model(X)
BP = [
bp.data.cpu().
view(bp.size(0), -1, model.num_coords, bp.size(2), bp.size(3)).
permute(0, 3, 4, 1, 2).
numpy()
for bp, cp in Ypred]
CP = [
cp.data.cpu().
view(cp.size(0), -1, model.nb_classes, cp.size(2), cp.size(3)).
permute(0, 3, 4, 1, 2).
numpy()
for bp, cp in Ypred]
X = X.data.cpu().numpy()
x = X[0]
x = x.transpose((1, 2, 0))
x = x * np.array(model.std) + np.array(model.mean)
x = x.astype('float32')
pred_boxes = []
for j in range(len(Ypred)):
cp = CP[j][0]#cl1_score,cl2_score,...
bp = BP[j][0]#4
if model.use_discrete_coords:
bp = _get_coords(bp, model.coords_discretization)
A = model.anchor_list[j]
cp = get_probas(cp, model.classif_loss_name, axis=3)
boxes = decode_bounding_box_list(
bp, cp, A,
image_size=model.image_size,
include_scores=True,
variance=model.config['variance']
)
pred_boxes.extend(boxes)
if score_threshold is None:
score_threshold = model.config['nms_score_threshold']
else:
score_threshold = float(score_threshold)
if iou_threshold is None:
iou_threshold = model.config['nms_iou_threshold']
else:
iou_threshold = float(iou_threshold)
bgid = model.class_to_idx['background']
idx_to_class = {i: c for c, i in model.class_to_idx.items()}
if use_nms:
pred_boxes = non_maximal_suppression_per_class(
pred_boxes,
iou_threshold=iou_threshold,
background_class_id=bgid,
score_threshold=score_threshold
)
else:
def get_box(box, scores):
bg_score = scores[0]
if bg_score >= background_threshold:
return box, 0, bg_score
else:
cl= 1 + scores[1:].argmax()
score = scores[1:].max()
return box, cl, score
pred_boxes = [get_box(box, scores) for box, scores in pred_boxes]
pred_boxes = sorted(pred_boxes, key=lambda p:p[2], reverse=True)
pred_boxes = [(box, class_id, score) for box, class_id, score in pred_boxes if class_id != bgid]
pred_boxes = [(box, idx_to_class[class_id], score) for box, class_id, score in pred_boxes]
pred_boxes = pred_boxes[0:topk]
pred_boxes = [
((x * scale_w, y * scale_h, w * scale_w, h * scale_h), class_name, score)
for (x, y, w, h), class_name, score in pred_boxes
]
for box, class_name, score in pred_boxes:
print(class_name, score)
im = np.array(im)
pad = int(model.config['pad'] * scale_w)
impadded = np.zeros((im.shape[0] + pad * 2, im.shape[1] + pad * 2, im.shape[2]))
impadded = impadded.astype('uint8')
impadded[pad:-pad, pad:-pad] = im
im = draw_bounding_boxes(impadded, pred_boxes, color=(0, 255, 0), text_color=(0, 255, 0), pad=pad)
delta = time.time() - t0
outf = os.path.join(out_folder, os.path.basename(filename))
print('Processed {} in {:.3f}s'.format(outf, delta))
imsave(outf, impadded)
def find_aspect_ratios(*, config='config', nb=6):
cfg = _read_config(config)
anchor_list = _build_anchor_list(cfg)
(dataset, _), _ = _build_dataset(cfg, anchor_list)
A = []
for i in range(len(dataset)):
bb = dataset.boxes[i]
for b in bb:
(x, y, w, h), _ = b
if h:
A.append(w/h)
clus = KMeans(n_clusters=nb)
A = np.array(A).reshape((-1, 1))
clus.fit(A)
print(clus.cluster_centers_.flatten().tolist())
def draw_anchors(*, config='config', nb=100, only_groundtruth=False):
cfg = _read_config(config)
anchor_list = _build_anchor_list(cfg)
(dataset, _), _ = _build_dataset(cfg, anchor_list)
bgid = dataset.class_to_idx['background']
mean = cfg['mean']
std = cfg['std']
image_size = cfg['image_size']
for i in range(nb):
x, gt_boxes, encoding = dataset[i]
gt_boxes = [
((x*image_size, y*image_size, w*image_size, h*image_size), dataset.idx_to_class[class_id])
for ((x, y, w, h), class_id) in gt_boxes
]
x = x.numpy()
x = x.transpose((1, 2, 0))
x = x * np.array(std) + np.array(mean)
x = x.astype('float32')
anchor_boxes = []
if not only_groundtruth:
for j, e in enumerate(encoding):
B, C = e
A = anchor_list[j]
hcoords, wcoords, k_id = np.where(C != bgid)
for h, w, k in zip(hcoords, wcoords, k_id):
a = image_size * A[h, w, k]
a = a.tolist()
c = C[h, w, k]
c = dataset.idx_to_class[c]
anchor_boxes.append((a, c))
pad = 100
im = np.zeros((x.shape[0] + pad * 2, x.shape[1] + pad * 2, x.shape[2]))
im[pad:-pad, pad:-pad] = x
im = draw_bounding_boxes(im, gt_boxes, color=(1, 0, 0), text_color=(1, 0, 0), pad=pad)
im = draw_bounding_boxes(im, anchor_boxes, color=(0, 1, 0), text_color=(0, 1, 0), pad=pad)
imsave(os.path.join(cfg['out_folder'], 'anchors', 'sample_{:05d}.jpg'.format(i)), im)
def _build_dataset(cfg, anchor_list):
mean = cfg['mean']
std = cfg['std']
image_size = cfg['image_size']
normalize = transforms.Normalize(mean=mean, std=std)
train_transform = transforms.Compose([
transforms.Resize((image_size, image_size)),
transforms.ToTensor(),
normalize,
])
dataset = cfg['dataset']
if dataset == 'COCO':
train_annotations = cfg['dataset_train_annotations']
val_annotations = cfg['dataset_valid_annotations']
train_folder = cfg['dataset_train_images_folder']
val_folder = cfg['dataset_valid_images_folder']
kwargs = dict(
anchor_list=anchor_list,
iou_threshold=cfg['bbox_encoding_iou_threshold'],
classes=cfg['classes'],
transform=train_transform,
variance=cfg['variance']
)
train_dataset = COCO(
annotations=train_annotations,
images_folder=train_folder,
data_augmentation_params=cfg['data_augmentation_params'],
**kwargs
)
valid_dataset = COCO(
annotations=val_annotations,
images_folder=val_folder,
data_augmentation_params={},
**kwargs,
)
train_evaluation = SubSample(COCO(
annotations=train_annotations,
images_folder=train_folder,
data_augmentation_params={},
**kwargs,
), nb=cfg['train_evaluation_size'])
valid_evaluation = SubSample(
valid_dataset,
nb=cfg['val_evaluation_size']
)
elif dataset == 'VOC':
kwargs = dict(
folder=cfg['dataset_root_folder'],
anchor_list=anchor_list,
which=cfg['dataset_version'],
iou_threshold=cfg['bbox_encoding_iou_threshold'],
classes=cfg['classes'],
transform=train_transform,
variance=cfg['variance'],
)
train_dataset = VOC(
split='train',
data_augmentation_params=cfg['data_augmentation_params'],
**kwargs,
)
valid_dataset = VOC(
split='val',
data_augmentation_params={},
**kwargs,
)
train_evaluation = SubSample(VOC(
split='train',
data_augmentation_params={},
**kwargs
), nb=cfg['train_evaluation_size'])
valid_evaluation = SubSample(
valid_dataset,
nb=cfg['val_evaluation_size']
)
elif dataset == 'WIDER':
kwargs = dict(
folder=cfg['dataset_root_folder'],
anchor_list=anchor_list,
iou_threshold=cfg['bbox_encoding_iou_threshold'],
transform=train_transform,
variance=cfg['variance'],
)
train_dataset = WIDER(
split='train',
data_augmentation_params=cfg['data_augmentation_params'],
**kwargs,
)
valid_dataset = WIDER(
split='val',
data_augmentation_params={},
**kwargs,
)
train_evaluation = SubSample(WIDER(
split='train',
data_augmentation_params={},
**kwargs
), nb=cfg['train_evaluation_size'])
valid_evaluation = SubSample(
valid_dataset,
nb=cfg['val_evaluation_size']
)
else:
raise ValueError('Unknown dataset {}'.format(dataset))
return (train_dataset, valid_dataset), (train_evaluation, valid_evaluation)
def _build_anchor_list(cfg):
scales = cfg['scales']
aspect_ratios = cfg['aspect_ratios']
offset = cfg['offset']
fs = cfg['feature_map_sizes']
assert len(scales) == len(aspect_ratios) == len(fs)
nb = len(scales)
anchor_list = [build_anchors(scales[i], offset=offset, feature_map_size=fs[i], aspect_ratios=aspect_ratios[i]) for i in range(nb)]
return anchor_list
def _read_config(config):
cfg = {}
exec(open(config).read(), {}, cfg)
return cfg
def sample_hypers_and_train(config_template):
content = open(config_template).read()
name, config = _generate_config_from_template(content)
config_file = 'configs/{}'.format(name)
with open(config_file, 'w') as fd:
fd.write(config)
train(config=config_file)
def _generate_config_from_template(content):
from jinja2 import Template
import uuid
rng = np.random.RandomState()
name = str(uuid.uuid4())
out_folder = '"results/{}"'.format(name)
tpl = Template(content)
algo = rng.choice(('"Adam"', '"SGD"'))
if algo == '"SGD"':
algo_params = {'momentum': 0.9, 'weight_decay': rng.choice((0, 1e-4, 3e-4))}
elif algo == '"Adam"':
algo_params = {}
algo_params = str(algo_params)
model_name = rng.choice(('"SSD_VGG"', '"SSD_Resnet"'))
batch_size = 8
use_discrete_coords = rng.choice((True, False))
imbalance_strategy = rng.choice((
'hard_negative_mining_with_sampling',
'hard_negative_mining',
'nothing',
'undersampling',
))