-
Notifications
You must be signed in to change notification settings - Fork 12
/
main_pocs.py
337 lines (282 loc) · 13.6 KB
/
main_pocs.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
from __future__ import print_function
import warnings
import os
import torch
import numpy as np
from time import time
from termcolor import colored
from parameter import parse_arguments, net_args_are_same
from architectures import get_net
import utils as u
from data import extract_patches
warnings.filterwarnings("ignore")
u.set_seed()
class Interpolator:
def __init__(self, args, outpath):
self.args = args
self.dtype = torch.FloatTensor if args.gpu is None else torch.cuda.FloatTensor
self.outpath = outpath
if args.loss == 'mse':
self.loss_fn = torch.nn.MSELoss().type(self.dtype)
else:
self.loss_fn = torch.nn.L1Loss().type(self.dtype)
self.loss_reg_fn = torch.nn.MSELoss().type(self.dtype)
self.elapsed = None
self.iiter = 0
self.iter_to_be_saved = list(range(0, self.args.epochs, int(self.args.save_every))) \
if self.args.save_every is not None else [0]
self.loss_min = None
self.outchannel = args.imgchannel
self.history = u.HistoryReg(self.args.epochs)
self.imgpath = None
self.image_name = None
self.img = None
self.img_ = None
self.mask = None
self.mask_ = None
self.out_best = None
self.out_old = None
self.reg_data = None
self.zfill = u.ten_digit(self.args.epochs)
# build input tensors
self.input_type = 'noise3d' if args.datadim == '3d' else 'noise'
self.input_ = None
self.input_old = None
self.add_noise_ = None
self.add_data_ = None
self.add_data_weight = None
self.input_list = []
# build network
self.net = None
self.parameters = None
self.num_params = None
self.optimizer = None
self.pocs = None
def build_input(self):
# build a noise tensor
data_shape = self.img.shape[:-1]
self.input_ = u.get_noise(shape=(1, self.args.inputdepth) + data_shape,
noise_type=self.args.noise_dist).type(self.dtype)
self.input_ *= self.args.noise_std
if self.args.filter_noise_with_wavelet:
W = u.ConvolveKernel_1d(
kernel=np.load(os.path.join(self.args.imgdir, 'wavelet.npy')),
ndim=self.input_.ndim - 2,
dtype=self.dtype,
)
self.input_ = W(self.input_)
if self.args.lowpass_fs and self.args.lowpass_fc:
print(colored("filtering the input tensor with a low pass Butterworth...", "cyan"))
# low pass filter input noise tensor with a 4th order butterworth
LPF = u.LowPassButterworth(fc=self.args.lowpass_fc,
ndim=self.input_.ndim - 2,
fs=self.args.lowpass_fs,
ntaps=self.args.lowpass_ntaps,
order=4,
nfft=2 ** u.nextpow2(self.input_.shape[2]),
dtype=self.dtype)
self.input_ = LPF(self.input_)
if self.args.data_forgetting_factor != 0:
# build decimated data tensor
data_ = self.img_ * self.mask_
# how many times we can repeat the data in order to fill the input depth?
num_rep = int(np.ceil(self.args.inputdepth / self.args.imgchannel))
# repeat data along the channel dim and crop to the input depth size
data_ = data_.repeat([1, num_rep] + [1] * len(data_shape))[:, :self.args.inputdepth]
# normalize data to noise std
data_ *= torch.std(self.input_) / torch.std(data_)
self.add_data_ = data_
self.add_data_weight = np.logspace(0, -4, self.args.data_forgetting_factor)
self.input_old = self.input_.detach().clone()
self.add_noise_ = self.input_.detach().clone()
print(colored('The input shape is %s' % str(tuple(self.input_.shape)), 'cyan'))
def build_model(self, netpath: str = None):
if self.outchannel is None:
self.outchannel = self.img_.shape[1]
if self.args.net == "load":
_args = u.read_args(os.path.join('results', *netpath.split('/')[:-1], "args.txt"))
assert net_args_are_same(self.args, _args)
self.net = get_net(_args, self.outchannel).type(self.dtype)
self.net.load_state_dict(torch.load(os.path.join('results', netpath)))
else:
self.net = get_net(self.args, self.outchannel).type(self.dtype)
u.init_weights(self.net, self.args.inittype, self.args.initgain)
# self.net = self.net.type(self.dtype)
#
# if self.args.net != 'load':
# u.init_weights(self.net, self.args.inittype, self.args.initgain)
self.parameters = u.get_params('net', self.net, self.input_)
self.num_params = sum(np.prod(list(p.size())) for p in self.net.parameters())
def load_data(self, data):
"""
Load the full patch and mask
Parameters:
data -- the dictionary include the attribute of 'image', 'mask', 'name', as created by "data.py" file.
"""
self.image_name = data['name'] # here the name is set as the name of input patch.
self.img = data['image']
self.mask = data['mask']
if self.mask.shape != self.img.shape:
raise ValueError('The loaded mask shape has to be', self.img.shape)
sha = tuple(range(self.img.ndim))
re_sha = sha[-1:] + sha[:-1]
self.img_ = u.np_to_torch(np.transpose(self.img, re_sha), bc_add=False).unsqueeze(0).type(self.dtype)
self.mask_ = u.np_to_torch(np.transpose(self.mask, re_sha), bc_add=False).unsqueeze(0).type(self.dtype)
self.coarse_img_ = self.img_ * self.mask_
# compute std on coarse data for skipping all-zeros patches
input_std = torch.std(self.img_ * self.mask_).item()
return input_std
def build_regularizer(self):
self.pocs = u.POCS(data=self.coarse_img_,
mask=self.mask_,
weight=self.args.pocs_alpha,
thresh_perc=self.args.pocs_thresh,
forward_fn=lambda x: torch.rfft(x, signal_ndim=self.img_.ndim - 2, onesided=False),
adjoint_fn=lambda x: torch.irfft(x, signal_ndim=self.img_.ndim - 2, onesided=False)
)
def optimization_loop(self):
# adding normal noise to the learned parameters
if self.args.param_noise:
for n in [x for x in self.net.parameters() if len(x.size()) in [4, 5]]:
n = n + n.detach().clone().normal_() * n.std() * 0.02
# adding normal noise to the input tensor
input_ = self.input_old
if self.args.reg_noise_std > 0:
input_ = self.input_old + (self.add_noise_.normal_() * self.args.reg_noise_std)
# adding data to the input noise
if self.iiter < self.args.data_forgetting_factor:
input_ += self.add_data_weight[self.iiter] * self.add_data_
self.input_list.append(u.torch_to_np(input_, True))
# compute output
out_ = self.net(input_)
# compute the main loss function
main_loss = self.loss_fn(out_ * self.mask_, self.coarse_img_)
# compute regularization loss
reg_data = self.pocs(out_).detach()
reg_loss = self.loss_reg_fn(out_, reg_data)
self.reg_data = u.torch_to_np(reg_data.squeeze(0), bc_del=False)
# compute total loss
if self.args.pocs_weight is None:
eps = main_loss / reg_loss
eps.detach()
else:
eps = self.args.reg_weight
total_loss = main_loss + eps * reg_loss
total_loss.backward()
# save loss and metrics, and print log
self.history.append((total_loss.item(),
main_loss.item(),
reg_loss.item(),
u.snr(output=out_, target=self.img_).item(),
u.pcorr(output=out_, target=self.img_).item()))
self.history.lr.append(self.optimizer.param_groups[0]['lr'])
print(colored(self.history.log_message(self.iiter), 'yellow'), '\r', end='')
# save the output if the loss is decreasing
if self.iiter == 0:
self.loss_min = self.history.loss[-1]
self.out_best = u.torch_to_np(out_, True) if out_.ndim > 4 else \
u.torch_to_np(out_, False)[0].transpose((1, 2, 0))
elif self.history.loss[-1] <= self.loss_min:
self.loss_min = self.history.loss[-1]
self.out_best = u.torch_to_np(out_, True) if out_.ndim > 4 else \
u.torch_to_np(out_, False)[0].transpose((1, 2, 0))
else:
pass
# saving intermediate outputs
if self.iiter in self.iter_to_be_saved and self.iiter != 0:
out_img = u.torch_to_np(out_, True) if out_.ndim > 4 else u.torch_to_np(out_, False)[0].transpose((1, 2, 0))
np.save(os.path.join(self.outpath,
self.image_name.split('.')[0] + '_output%s.npy' % str(self.iiter).zfill(self.zfill)),
out_img)
self.iiter += 1
return total_loss
def optimize(self):
"""
Train the network. For each iteration, call the optimization loop function.
"""
print(colored('starting optimization with ADAM...', 'cyan'))
self.optimizer = torch.optim.Adam(self.parameters, lr=self.args.lr)
scheduler = torch.optim.lr_scheduler.ReduceLROnPlateau(self.optimizer, mode='min',
factor=self.args.lr_factor,
threshold=self.args.lr_thresh,
patience=self.args.lr_patience)
# stop after no improvements greater than a certain percentage of the previous loss
stopper = u.EarlyStopping(patience=self.args.earlystop_patience,
min_delta=self.args.earlystop_min_delta,
percentage=True)
start = time()
for j in range(self.args.epochs):
self.optimizer.zero_grad()
loss = self.optimization_loop()
self.optimizer.step()
if self.args.reduce_lr:
scheduler.step(loss)
if stopper.step(loss): # stopper is computed on loss, as we don't have any validation metrics
break
self.elapsed = time() - start
print(colored(u.sec2time(self.elapsed), 'yellow'))
def save_result(self):
"""
Save the results, the model (if asked) and some info to disk in a .npy file.
"""
np.save(os.path.join(self.outpath, self.image_name + '_run.npy'), {
'device' : u.get_gpu_name(),
'elapsed': u.sec2time(self.elapsed),
'outpath': self.outpath,
'history': self.history,
'mask' : self.mask,
'image' : self.img,
'output' : self.out_best,
'noise' : self.input_list,
'pocs' : self.reg_data,
})
# save the model
if self.args.savemodel:
torch.save(self.net.state_dict(),
os.path.join(self.outpath, self.image_name + '_model.pth'))
def clean(self):
"""
Clean the trainer for a new patch.
Don't touch the model, as it depends on transfer learning options.
"""
self.iiter = 0
print(colored('Finished patch %s' % self.image_name, 'yellow'))
torch.cuda.empty_cache()
self.loss_min = None
self.history = u.HistoryReg(self.args.epochs)
def main() -> None:
args = parse_arguments()
u.set_gpu(args.gpu)
# create output folder and save arguments in a .txt file
outpath = os.path.join('./results/', args.outdir if args.outdir is not None else u.random_code())
os.makedirs(outpath, exist_ok=True)
print(colored('Saving to %s' % outpath, 'yellow'))
u.write_args(os.path.join(outpath, 'args.txt'), args)
# get a list of patches organized as dictionaries with image, mask and name fields
patches = extract_patches(args)
print(colored('Processing %d patches' % len(patches), 'yellow'))
# instantiate a trainer
T = Interpolator(args, outpath)
# interpolation
for i, patch in enumerate(patches):
print(colored('\nThe data shape is %s' % str(patch['image'].shape), 'cyan'))
std = T.load_data(patch)
print(colored('the std of coarse data is %.2e, ' % std, 'cyan'), end="")
if np.isclose(std, 0., atol=1e-12): # all the data are corrupted
print(colored('skipping...', 'cyan'))
T.out_best = T.img * T.mask
T.elapsed = 0.
else:
if T.net is None:
if args.net == "load":
T.build_model(netpath=args.netdir[i])
elif not args.start_from_prev:
T.build_model()
T.build_input()
T.build_regularizer()
T.optimize()
T.save_result()
T.clean()
print(colored('Interpolation done! Saved to %s' % outpath, 'yellow'))
if __name__ == '__main__':
main()