-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathtest_deepensemble.py
177 lines (145 loc) · 6.61 KB
/
test_deepensemble.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
from typing import List
import argparse
from os import listdir
from os.path import join as pjoin
import numpy as np
import torch
from dca.utils import coro_timer, mkdirp, npybatchiterator
from dca.calibration import bins2diagram
from dca.trainutils import coro_log, do_epoch, check_cuda, \
deteministic_run, SummaryWriter
from utils import TRAINDATALOADERS, TESTDATALOADER, get_outputsaver, \
OUTCLASS, NTRAIN, NTEST, summarize_csv
def get_args():
parser = argparse.ArgumentParser()
parser.add_argument('rootdir', type=str,
help='path that collects all predictions.')
parser.add_argument('dataset', default='cifar10', choices=TRAINDATALOADERS,
help='datasets: ' + ' | '.join(TRAINDATALOADERS))
parser.add_argument('-j', '--workers', default=1, type=int, metavar='N',
help='number of data loading workers')
parser.add_argument('-b', '--batch', default=128, type=int,
metavar='N', help='test mini-batch size')
parser.add_argument('-ec', '--ensemblecount', default=5, type=int,
help='number of deep ensembles')
parser.add_argument('-es', '--ensemblesize', default=5, type=int,
help='number of models in each deep ensemble')
parser.add_argument('-vd', '--valdata', action='store_true',
help='use validation instead of test data')
parser.add_argument('-sp', '--tvsplit', default=0.9, type=float,
metavar='RATIO',
help='ratio of data used for training')
parser.add_argument('-pf', '--printfreq', default=10, type=int,
metavar='N', help='print frequency')
parser.add_argument('-d', '--device', default='cpu', type=str,
metavar='DEV', help='run on cpu/cuda')
parser.add_argument('-s', '--seed', type=int, default=0,
help='fixes seed for reproducibility')
parser.add_argument('-sd', '--save_dir',
help='The directory used to save test results',
default='save_temp', type=str)
parser.add_argument('-so', '--saveoutput', action='store_true',
help='save output probability')
parser.add_argument('-dd', '--data_dir',
help='The directory to find/store dataset',
default='../data', type=str)
parser.add_argument('-nb', '--bins', default=20, type=int,
help='number of bins for ece & reliability diagram')
parser.add_argument('-pd', '--plotdiagram', action='store_true',
help='plot reliability diagram for best val')
parser.add_argument('-tbd', '--tensorboard_dir', default='', type=str,
help='if specified, record data for tensorboard.')
return parser.parse_args()
def predfiles_per_model(args):
# collect all prediction files
if args.valdata:
predfiles = sorted([
pjoin(args.rootdir, f) for f in listdir(args.rootdir)
if f.endswith('.npy') and f.startswith('predictions_val')])
else:
predfiles = sorted([
pjoin(args.rootdir, f) for f in listdir(args.rootdir)
if f.endswith('.npy') and f.startswith('predictions_test')])
# deliver per model
ec, es = args.ensemblecount, args.ensemblesize
assert len(predfiles) >= ec * es
for c in range(ec):
yield predfiles[c*es:(c+1)*es]
def get_predictionloader(args, predfilenames: List[str]):
dataset = args.dataset
device = torch.device(args.device)
# load data
if args.valdata:
_, data_loader = TRAINDATALOADERS[dataset](
args.data_dir, args.tvsplit, args.workers,
(device != torch.device('cpu')), args.batch, args.batch)
else:
data_loader = TESTDATALOADER[dataset](
args.data_dir, args.workers, (device != torch.device('cpu')),
args.batch)
gts = (gt for _, gt in data_loader)
prediters = [npybatchiterator(f, args.batch) for f in predfilenames]
yield len(data_loader)
yield from zip(*prediters, gts)
def do_devalbatch(batchinput):
preds, gt = batchinput[:-1], batchinput[-1]
meanpred = torch.from_numpy(np.mean(np.stack(preds, 0), 0)).to(gt.device)
return meanpred, gt, 0.0
if __name__ == '__main__':
timer = coro_timer()
t_init = next(timer)
print(f'>>> Test initiated at {t_init.isoformat()} <<<\n')
args = get_args()
print(args, end='\n\n')
# if seed is specified, run deterministically
if args.seed is not None:
deteministic_run(seed=args.seed)
# get device for this experiment
device = torch.device(args.device)
if device != torch.device('cpu'):
check_cuda()
# build train_dir for this experiment
mkdirp(args.save_dir)
# prep tensorboard if specified
if args.tensorboard_dir:
mkdirp(args.tensorboard_dir)
sw = SummaryWriter(args.tensorboard_dir)
else:
sw = None
# distinguish between runs on validation data and test data
ndata = NTRAIN-int(args.tvsplit*NTRAIN) if args.valdata else NTEST
log_ece = coro_log(sw, args.printfreq, args.bins, args.save_dir)
outclass = OUTCLASS[args.dataset]
prefix = 'val' if args.valdata else 'test'
# iterate over saved predictions per each deep ensemble
for modelid, predfiles in enumerate(predfiles_per_model(args)):
print(f'ensembling from following {args.ensemblesize} files:')
for f in predfiles:
print(f'- {f}')
print(f'>>> Test starts at {next(timer)[0].isoformat()} <<<\n')
# do deep ensemble evaluation
predloader = get_predictionloader(args, predfiles)
nbatch = next(predloader)
if args.saveoutput:
outputsaver = get_outputsaver(
args.save_dir, ndata, outclass,
f'predictions_{prefix}_{modelid}.npy')
else:
outputsaver = None
log_ece.send((modelid, prefix, nbatch, outputsaver))
with torch.no_grad():
do_epoch(predloader, do_devalbatch, log_ece, device)
bins, _, avgvloss = log_ece.throw(StopIteration)[:3]
if args.saveoutput:
outputsaver.close()
if args.plotdiagram:
bins2diagram(
bins, False,
pjoin(args.save_dir, f'calibration_{prefix}_{modelid}.pdf'))
print(f'>>> Time elapsed: {next(timer)[1]} <<<\n')
log_ece.close()
if prefix:
print('- results:')
summarize_csv(pjoin(args.save_dir, f'{prefix}.csv'))
print()
print(f'>>> Test completed at {next(timer)[0].isoformat()} <<<\n')