-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathtest_convlstm.py
539 lines (446 loc) · 21.6 KB
/
test_convlstm.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
import numpy as np
import torch
import random
import PIL
import os
import torchvision
from torchvision import transforms
import torch.nn as nn
import sys
import timeit
sys.path.append("../../")
from os.path import exists, join
from typing import Tuple, Callable
import matplotlib.pyplot as plt
from matplotlib import transforms
from mpl_toolkits.axes_grid1 import make_axes_locatable
import argparse
import pdb
from models.architectures import conv_lstm_baseline0, conv_lstm_baseline
from data import dataloading
from utils import metrics
from operator import add
# seeding only for debugging
random.seed(0)
torch.manual_seed(0)
np.random.seed(0)
#
# torch.backends.cudnn.deterministic = True
# torch.backends.cudnn.benchmark = False
parser = argparse.ArgumentParser()
# train configs
parser.add_argument("--model", type=str, default="convlstm",
help="Model you want to train.")
parser.add_argument("--modeltype", type=str, default="convlstm",
help="Specify modeltype you would like to train [convlstm].")
parser.add_argument("--model_path", type=str, default="runs/",
help="Directory where models are saved.")
parser.add_argument("--modelname", type=str, default=None,
help="Sepcify modelname to be tested.")
parser.add_argument("--epochs", type=int, default=10000,
help="number of epochs")
parser.add_argument("--max_steps", type=int, default=2000000,
help="For training on a large dataset.")
parser.add_argument("--log_interval", type=int, default=100,
help="Interval in which results should be logged.")
# runtime configs
parser.add_argument("--visual", action="store_true",
help="Visualizing the samples at test time.")
parser.add_argument("--noscaletest", action="store_true",
help="Disable scale in coupling layers only at test time.")
parser.add_argument("--noscale", action="store_true",
help="Disable scale in coupling layers.")
parser.add_argument("--test", action="store_true",
help="Model run on test set.")
parser.add_argument("--train", action="store_true",
help="If model should be trained.")
parser.add_argument("--resume_training", action="store_true",
help="If training should be resumed.")
# hyperparameters
parser.add_argument("--nbits", type=int, default=8,
help="Images converted to n-bit representations.")
parser.add_argument("--s", type=int, default=2, help="Upscaling factor.")
parser.add_argument("--crop_size", type=int, default=500,
help="Crop size when random cropping is applied.")
parser.add_argument("--patch_size", type=int, default=500,
help="Training patch size.")
parser.add_argument("--bsz", type=int, default=1, help="batch size")
parser.add_argument("--seq_len", type=int, default=10,
help="Total sequnece length needed from dataloader")
parser.add_argument("--lag_len", type=int, default=2,
help="Lag legnth of time-series")
parser.add_argument("--lr", type=float, default=0.0002,
help="learning rate")
parser.add_argument("--filter_size", type=int, default=512,
help="filter size NN in Affine Coupling Layer")
parser.add_argument("--L", type=int, default=1, help="# of levels")
parser.add_argument("--K", type=int, default=1,
help="# of flow steps, i.e. model depth")
parser.add_argument("--nb", type=int, default=16,
help="# of residual-in-residual blocks LR network.")
parser.add_argument("--condch", type=int, default=128,
help="# of residual-in-residual blocks in LR network.")
# data
parser.add_argument("--datadir", type=str, default="/home/christina/Documents/climsim_ds/data",
help="Dataset to train the model on.")
# parser.add_argument("--datadir", type=str, default="/home/mila/c/christina.winkler/scratch/data",
# help="Dataset to train the model on.")
parser.add_argument("--trainset", type=str, default="temp",
help="Dataset to train the model on.")
# parser.add_argument("--testset", type=str, default="wbench",
# help="Specify test dataset")
# experiments
parser.add_argument("--exp_name", type=str, default="convlstm_1x",
help="Name of the experiment.")
args = parser.parse_args()
def create_rollout(model, x_for, x_past, lead_time):
predictions = []
# Obtain the initial prediction, state, and ignore third output
past = x_past[0, :, :, :, :].unsqueeze(0)
init_pred = model(past)
predictions.append(init_pred[0,:,:,:,:])
interm = x_past[0,:,1,...].unsqueeze(1).cuda()
for l in range(lead_time):
context = torch.cat((predictions[l-1].cuda(), interm.cuda()), 1)
x = model(context.unsqueeze(0))
predictions.append(x.squeeze(2))
# pdb.set_trace()
interm = x[:,0,:,:,:] # update intermediate state
stacked_pred = torch.stack(predictions, dim=0)
# compute absolute error images
abs_err = torch.abs(stacked_pred.cuda() - x_for[:,:,:,:,:].cuda())
return stacked_pred, abs_err
def test(model, test_loader, exp_name, logstep, args):
color = 'inferno' if args.trainset == 'temp' else 'viridis'
# random.seed(0)
# torch.manual_seed(0)
# np.random.seed(0)
#
# torch.backends.cudnn.deterministic = True
# torch.backends.cudnn.benchmark = False
state=None
loss = nn.MSELoss()
loss_list=[]
avrg_fwd_time = []
avrg_bw_time = []
savedir = os.getcwd() + '/runs/{}/test/snaphots/'.format(exp_name)
os.makedirs(savedir, exist_ok=True)
model.eval()
with torch.no_grad():
for batch_idx, item in enumerate(test_loader):
x = item[0]
# split time series into context and prediction window
x_past, x_for = x[:,:, :2,...].to('cuda'), x[:,:,2:,...].to('cuda')
# x_past, x_for = x_past.permute(0,1,2,4,3), x_for.permute(0,1,2,4,3)
start = timeit.default_timer()
out = model.forward(x_past)
stop = timeit.default_timer()
print("Time Fwd pass:", stop-start)
mse_loss = loss(out, x_for)
# MSE loss
loss_list.append(mse_loss.mean().detach().cpu().numpy())
# ---------------------- Evaluate Predictions---------------------- #
print("Forecast ... ")
rollout_len = args.bsz-1
nr_of_rollouts = 1
pred_multiroll = []
abs_err_multiroll = []
stacked_pred1, abs_err1 = create_rollout(model, x_for, x_past, rollout_len)
stacked_pred2, abs_err2 = create_rollout(model, x_for, x_past, rollout_len)
stacked_pred3, abs_err3 = create_rollout(model, x_for, x_past, rollout_len)
stacked_pred4, abs_err4 = create_rollout(model, x_for, x_past, rollout_len)
std = (abs_err1 **2 + abs_err2**2 + abs_err3**2 + abs_err4**2)/4
stack_pred_multiroll = torch.stack((stacked_pred1,stacked_pred2,stacked_pred3,stacked_pred4), dim=0).squeeze(2)
stack_pred_multiroll = torch.cat((stack_pred_multiroll, std.squeeze(1).unsqueeze(0)), dim=0)
stack_abserr_multiroll = torch.stack((abs_err1,abs_err2,abs_err3,abs_err4),dim=0).squeeze(2)
# stack_pred_multiroll = torch.stack(pred_multiroll, dim=1).squeeze(2)
# stack_abserr_multiroll = torch.stack(abs_err_multiroll, dim=1).squeeze(2)
# Plot Simulated Rollout Trajectories with Std. starting from same context window
fig, axes = plt.subplots(nrows=nr_of_rollouts+1, ncols=rollout_len)
fig, (ax1, ax2, ax3, ax4, ax5) = plt.subplots(5,1)
grid1 = torchvision.utils.make_grid(stack_pred_multiroll[0,:,...].permute(0,1,3,2).cpu(), normalize=True, nrow=1)
ax1.imshow(grid1.permute(2,1,0)[:,:,0], cmap=color, interpolation='none')
divider = make_axes_locatable(ax1)
cax = divider.append_axes("right", size="5%", pad=0.05)
ax1.set_title('Simulated Rollout Trajectories', fontsize=5)
cax.set_axis_off()
ax1.axis('off')
grid2 = torchvision.utils.make_grid(stack_pred_multiroll[1,:,...].permute(0,1,3,2).cpu(), normalize=True, nrow=1)
ax2.imshow(grid2.permute(2,1,0)[:,:,0], cmap=color)
divider = make_axes_locatable(ax2)
cax = divider.append_axes("right", size="5%", pad=0.05)
cax.set_axis_off()
ax2.axis('off')
grid3 = torchvision.utils.make_grid(stack_pred_multiroll[2,:,...].permute(0,1,3,2).cpu(),normalize=True, nrow=1)
ax3.imshow(grid3.permute(2,1,0)[:,:,0], cmap=color)
divider = make_axes_locatable(ax3)
cax = divider.append_axes("right", size="5%", pad=0.05)
cax.set_axis_off()
ax3.axis('off')
grid4 = torchvision.utils.make_grid(x_for.squeeze(1).permute(0,1,3,2).cpu(),normalize=True, nrow=1)
ax4.set_title('Ground Truth', fontsize=5)
ax4.imshow(grid4.permute(2,1,0)[:,:,0], cmap=color)
divider = make_axes_locatable(ax4)
cax = divider.append_axes("right", size="5%", pad=0.05)
cax.set_axis_off()
ax4.axis('off')
divider = make_axes_locatable(ax5)
cax = divider.append_axes("right", size="2%", pad=0.05)
grid5 = torchvision.utils.make_grid(stack_pred_multiroll[4,:,...].permute(0,1,3,2).cpu(), nrow=1)
im5 = ax5.imshow(grid5.permute(2,1,0)[:,:,0], cmap=color)
cbar = fig.colorbar(im5, cmap='inferno', cax=cax)
cbar.ax.tick_params(labelsize=3)
# cax.set_axis_off()
ax5.set_title('Abs Err', fontsize=5)
ax5.axis('off')
plt.tight_layout()
plt.savefig(savedir + '/std_multiplot_{}.png'.format(batch_idx), dpi=300, bbox_inches='tight')
plt.close()
# # Plot differences of rollout trajectories
# # from the same rollout different frames
# test_diff0 = stack_pred_multiroll[0,1,:,...]-stack_pred_multiroll[0,2,:,...]
# plt.figure()
# plt.imshow(test_diff0.permute(2, 1, 0).cpu().numpy(), cmap=color)
# plt.axis('off')
# plt.title("test diff 0")
# plt.savefig(savedir + "/tesdiff1_logstep_{}_test.png".format(batch_idx), dpi=300)
# plt.close()
#
# # same frames from different rollout - should be black
# test_diff1 = stack_pred_multiroll[0,1,:,...]-stack_pred_multiroll[2,1,:,...]
# plt.figure()
# plt.imshow(test_diff1.permute(2, 1, 0).cpu().numpy(), cmap=color)
# plt.axis('off')
# plt.title("test diff 1")
# plt.savefig(savedir + "/tesdiff2_logstep_{}_test.png".format(batch_idx), dpi=300)
# # plt.show()
# plt.close()
#
# grid_ground_truth = torchvision.utils.make_grid(x_for[:,:,0,:,:].cpu(), nrow=1)
# plt.figure()
# plt.imshow(grid_ground_truth.permute(2, 1, 0)[:,:,0].contiguous(), cmap='inferno')
# plt.axis('off')
# plt.title("Frame at t+1")
# plt.savefig(savedir + "/x_t+1_logstep_{}.png".format(batch_idx), dpi=300)
# plt.close()
#
# stacked_pred, abs_err = create_rollout(model, x_for, x_past, rollout_len)
#
# grid_trajec_preds = torchvision.utils.make_grid(stacked_pred.squeeze(1).cpu(), nrow=1)
# plt.figure()
# plt.imshow(grid_trajec_preds.permute(2, 1, 0)[:,:,0].contiguous(), cmap='inferno')
# plt.axis('off')
# plt.tight_layout()
# plt.savefig(savedir + "/rolled_out_traj_test_step_{}.png".format(batch_idx), dpi=300)
# plt.close()
#
# grid_abs_err = torchvision.utils.make_grid(abs_err1.squeeze(1).cpu(), nrow=1)
# plt.figure()
# plt.imshow(grid_abs_err.permute(2, 1, 0)[:,:,0].contiguous(), cmap='inferno')
# plt.axis('off')
# plt.tight_layout()
# plt.savefig(savedir + "/absolute_error_test_step_{}.png".format(batch_idx), dpi=300)
# plt.close()
#
# # visualize past frames the prediction is based on (context)
# grid_past = torchvision.utils.make_grid(x_past[:, -1, :, :].cpu(), nrow=3)
# plt.figure()
# plt.imshow(grid_past.permute(1, 2, 0)[:,:,0].contiguous(), cmap='inferno')
# plt.axis('off')
# plt.title("Frame at t")
# plt.savefig(savedir + "/x_t_logstep_{}.png".format(batch_idx), dpi=300)
# plt.close()
print("Average Test MSE-Loss:", np.mean(loss_list))
return np.mean(loss_list)
class InverseMinMaxScaler:
max_value: float = 315.91873
min_value: float = 241.22385
values_range: Tuple[int, int] = (0, 1)
def __call__(self, y):
x = y * (self.max_value - self.min_value) + self.min_value
return x
def metrics_eval(model, test_loader, exp_name, modelname, logstep):
print("Metric evaluation on {}...".format(args.trainset))
# storing metrics
# ssim = [0] * args.bsz
# psnr = [0] * args.bsz
# mmd = [0] * args.bsz
# emd = [0] * args.bsz
norm_rmse = []
mae = []
norm_mae = []
rmse = []
w_rmse = []
savedir = os.getcwd() + '/runs/{}/test/metrics/'.format(exp_name)
os.makedirs(savedir, exist_ok=True)
model.eval()
with torch.no_grad():
for batch_idx, item in enumerate(test_loader):
x = item[0]
# split time series into context and prediction window
x_past, x_for = x[:,:, :2,...].to('cuda'), x[:,:,2:,...].to('cuda')
# track metric over forecasting period
print("Forecast ... ")
lead_time = args.bsz -1
predictions = []
past = x_past[0,...].unsqueeze(0).cuda()
out = model.forward(past)
predictions.append(out)
interm = x_past[0,:,1,...].unsqueeze(0).unsqueeze(1)
for l in range(lead_time):
context = torch.cat((predictions[l], interm), 1)
predictions.append(model(context.permute(0,2,1,3,4)))
interm = predictions[-1][:,0,:,:,:].unsqueeze(1)
stacked_pred = torch.stack(predictions, dim=0).squeeze(1)
# # SSIM
# current_ssim = metrics.ssim(stacked_pred.squeeze(1), x_for.squeeze(1))
# ssim = list(map(add, current_ssim, ssim))
#
# # PSNR
# current_psnr = metrics.psnr(stacked_pred.squeeze(1), x_for.squeeze(1))
# psnr = list(map(add, current_psnr, psnr))
# print(psnr[0], " ", ssim[0])
# RMSE
# latitude, longitude = item[3], item[4]
x_for_new = item[1][:,2:,...].to('cuda')
if args.trainset == 'temp':
inv_scaler = InverseMinMaxScaler()
x_new = inv_scaler(stacked_pred).squeeze(1)
if args.trainset == 'geop':
x_new = stacked_pred * (x_for_new.max() - x_for_new.min()) + x_for_new.min()
# RMSE
print(metrics.RMSE(stacked_pred, x_for).mean(1).detach().cpu().numpy())
norm_rmse.append(metrics.RMSE(stacked_pred, x_for).mean(1).detach().cpu().numpy())
rmse.append(metrics.RMSE(x_new.unsqueeze(1), x_for_new.unsqueeze(1).cuda()).mean(1).detach().cpu().numpy())
# weighted RMSE
# w_rmse.append(metrics.weighted_RMSE(x_new.cpu(), x_for_new.cpu(), latitude, longitude))
# MAE
print(metrics.MAE(stacked_pred, x_for).mean(1).detach().cpu().numpy())
mae.append(metrics.MAE(x_new.unsqueeze(1), x_for_new.unsqueeze(1).cuda()).mean(1).detach().cpu().numpy())
norm_mae.append(metrics.MAE(stacked_pred, x_for).mean(1).detach().cpu().numpy())
if batch_idx == 100:
print(batch_idx)
break
# # compute average SSIM for each temperature map on predicted day t
# avrg_ssim = list(map(lambda x: x/len(test_loader), ssim))
# # compute average PSNR for each temperature map on predicted day t
# avrg_psnr = list(map(lambda x: x/len(test_loader), psnr))
# pdb.set_trace()
# avrg_rmse = list(map(lambda x: x/100, rmse)) #len(test_loader), rmse)) TODO improve this too complicated haha
# avrg_mmd = list(map(lambda x: x/20, mmd)) # len(test_loader), mmd))
# plt.plot(avrg_ssim, label='3DUnet Best SSIM')
# plt.grid(axis='y')
# plt.axvline(x=1, color='brown')
# plt.legend(loc='upper right')
# plt.xlabel('Time-Step')
# plt.ylabel('Average SSIM')
# plt.savefig(savedir + 'plots/avrg_ssim.png', dpi=300)
# plt.close()
#
# plt.plot(avrg_psnr, label='3DUnet Best PSNR')
# plt.grid(axis='y')
# plt.axvline(x=1, color='brown')
# plt.legend(loc='upper right')
# plt.xlabel('Time-Step')
# plt.ylabel('Average PSNR')
# plt.savefig(savedir + 'plots/avrg_psnr.png', dpi=300)
# plt.close()
# plt.plot(avrg_rmse, label='3DUnet RMSE')
# plt.grid(axis='y')
# plt.axvline(x=1, color='brown')
# plt.legend(loc='upper right')
# plt.xlabel('Time-Step')
# plt.ylabel('Average RMSE')
# plt.savefig(savedir + 'plots/avrg_rmse.png', dpi=300)
# plt.close()
# plt.plot(avrg_mmd, label='3DUnet MMD')
# plt.grid(axis='y')
# plt.axvline(x=1, color='brown')
# plt.legend(loc='upper right')
# plt.xlabel('Time-Step')
# plt.ylabel('Average RMSE')
# plt.savefig(savedir + 'plots/avrg_mmd.png', dpi=300)
# plt.close()
if args.trainset == 'geop':
mean_rmse = np.mean(rmse, axis=0)[0]
std_rmse = np.std(rmse, axis=0)[0]
mean_norm_rmse = np.mean(norm_rmse, axis=0)[0]
std_norm_rmse = np.std(norm_rmse, axis=0)[0]
mean_mae = np.mean(mae, axis=0)[0]
std_mae = np.std(mae, axis=0)[0]
else:
mean_rmse = np.mean(rmse, axis=0)
std_rmse = np.std(rmse, axis=0)
mean_norm_rmse = np.mean(norm_rmse, axis=0)
std_norm_rmse = np.std(norm_rmse, axis=0)
mean_mae = np.mean(mae, axis=0)
std_mae = np.std(mae, axis=0)
# Write metric results to a file in case to recreate plots
with open(savedir + 'metric_results.txt','w') as f:
# f.write('Avrg SSIM over forecasting period:\n')
# for item in avrg_ssim:
# f.write("%f \n" % item)
#
# f.write('Avrg PSNR over forecasting period:\n')
# for item in avrg_psnr:
# f.write("%f \n" % item)
f.write('Avrg RMSE:\n')
for item in mean_rmse:
f.write("%f \n" % item)
f.write('STD RMSE:\n')
for item in std_rmse:
f.write("%f \n" % item)
f.write('Norm Avrg RMSE:\n')
for item in np.mean(norm_rmse, axis=0):
f.write("%f \n" % item)
f.write('Norm STD RMSE:\n')
for item in np.std(norm_rmse, axis=0):
f.write("%f \n" % item)
f.write('Norm Avrg MAE:\n')
for item in np.mean(norm_mae, axis=0):
f.write("%f \n" % item)
f.write('Norm STD MAE:\n')
for item in np.std(norm_mae, axis=0):
f.write("%f \n" % item)
f.write('Avrg MAE:\n')
for item in mean_mae:
f.write("%f \n" % item)
f.write('STD MAE:\n')
for item in std_mae:
f.write("%f \n" % item)
# f.write('Avrg MMD over forecasting period:\n')
# for item in avrg_mmd:
# f.write("%f \n" % item)
return None
if __name__ == "__main__":
# Load Model
print('Load model ...')
if args.trainset == 'temp':
# Load testset
_, _, test_loader, args = dataloading.load_data(args)
in_channels = next(iter(test_loader))[0].shape[1]
# temperature
exp_name = 'convlstm_temp_2024_04_04_22_56_34'
modelname = 'model_epoch_41_step_27600.tar'
modelpath = '/home/christina/Documents/climsim_ds/runs/{}/model_checkpoints/{}'.format(exp_name, modelname)
model = conv_lstm_baseline.ConvLSTM(in_channels=in_channels, hidden_channels=4*32, out_channels=1).cuda()
ckpt = torch.load(modelpath)
model.load_state_dict(ckpt['model_state_dict'])
model.eval()
elif args.trainset == 'geop':
# Load testset
_, _, test_loader, args = dataloading.load_data(args)
in_channels = next(iter(test_loader))[0].shape[1]
# geopotential
exp_name = 'convlstm_geop_2024_02_12_11_21_35'
modelname = 'model_epoch_1_step_31100.tar'
modelpath = "/home/christina/Documents/climsim_ds/runs/{}/model_checkpoints/{}".format(exp_name, modelname)
model = conv_lstm_baseline0.ConvLSTM(in_channels=in_channels, hidden_channels=4*32, out_channels=1).cuda()
ckpt = torch.load(modelpath)
model.load_state_dict(ckpt['model_state_dict'])
model.eval()
params = sum(x.numel() for x in model.parameters() if x.requires_grad)
print('Nr of Trainable Params on {}: '.format('cuda'), params)
print("Evaluate ConvLSTM on test split ...")
# test(model.cuda(), test_loader, exp_name, -99999, args)
metrics_eval(model.cuda(),test_loader, exp_name, modelname, -99999)