forked from state-spaces/s4
-
Notifications
You must be signed in to change notification settings - Fork 0
/
train.py
557 lines (461 loc) · 19.5 KB
/
train.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
from typing import List, Optional, Callable
import numpy as np
import torch
import torch.nn as nn
import pytorch_lightning as pl
from pytorch_lightning.loggers import WandbLogger
from pytorch_lightning.utilities import rank_zero_only
import hydra
from omegaconf import OmegaConf, DictConfig
import src.utils as utils
import src.utils.train
from src.utils.optim.ema import build_ema_optimizer
from src.utils import registry
from src.tasks import encoders, decoders, tasks
import src.models.nn.utils as U
from src.dataloaders import SequenceDataset # TODO make registry
from tqdm.auto import tqdm
log = src.utils.train.get_logger(__name__)
class SequenceLightningModule(pl.LightningModule):
def __init__(self, config):
# Disable profiling executor. This reduces memory and increases speed.
try:
torch._C._jit_set_profiling_executor(False)
torch._C._jit_set_profiling_mode(False)
except AttributeError:
pass
super().__init__()
# Passing in config expands it one level, so can access by self.hparams.train instead of self.hparams.config.train
self.save_hyperparameters(config, logger=False)
self.dataset = SequenceDataset.registry[self.hparams.dataset._name_](
**{
# Arguments for configuring dataloader when using TBPTT
"tbptt": self.hparams.train.state.mode == 'tbptt',
"chunk_len": self.hparams.train.state.chunk_len,
"overlap_len": self.hparams.train.state.overlap_len,
# Dataset arguments
**self.hparams.dataset,
}
)
# Check hparams
self._check_config()
# PL has some bugs, so add hooks and make sure they're only called once
self._has_setup = False
self._has_on_post_move_to_device = False
def setup(self, stage=None):
if not self.hparams.train.disable_dataset:
self.dataset.setup()
# We need to set up the model in setup() because for some reason when training with DDP, one GPU uses much more memory than the others
# In order to not overwrite the model multiple times during different stages, we need this hack
# TODO PL 1.5 seems to have an option to skip hooks to avoid this
# https://github.com/PyTorchLightning/pytorch-lightning/issues/5410#issuecomment-762257024
if self._has_setup:
return
else:
self._has_setup = True
# Convenience feature: if model specifies encoder, combine it with main encoder
encoder_cfg = utils.to_list(self.hparams.encoder) + utils.to_list(
self.hparams.model.pop("encoder", None)
)
decoder_cfg = utils.to_list(self.hparams.model.pop("decoder", None)) + utils.to_list(self.hparams.decoder)
# Instantiate model
self.model = utils.instantiate(registry.model, self.hparams.model)
# Instantiate the task
if "task" not in self.hparams: # TODO maybe don't need this?
self.hparams.task = self.dataset.default_task
self.task = task = utils.instantiate(
tasks.registry, self.hparams.task, dataset=self.dataset, model=self.model
)
# Create encoders and decoders
encoder = encoders.instantiate(
encoder_cfg, dataset=self.dataset, model=self.model
)
decoder = decoders.instantiate(
self.hparams.decoder, model=self.model, dataset=self.dataset
)
# Extract the modules so they show up in the top level parameter count
self.encoder = U.TupleSequential(task.encoder, encoder)
self.decoder = U.TupleSequential(decoder, task.decoder)
self.loss = task.loss
self.metrics = task.metrics
# Handle state logic
self._initialize_state()
def _check_config(self):
assert self.hparams.train.state.mode in [None, "none", "null", "reset", "bptt", "tbptt"]
assert (
(n := self.hparams.train.state.n_context) is None
or isinstance(n, int)
and n >= 0
)
assert (
(n := self.hparams.train.state.n_context_eval) is None
or isinstance(n, int)
and n >= 0
)
assert (
not (self.hparams.train.state.mode == 'tbptt') or
(self.hparams.train.state.chunk_len is not None and
self.hparams.train.state.overlap_len is not None)
), "If tbptt is True, chunk_len and overlap_len must be specified."
def _initialize_state(self):
self._state = None
self._memory_chunks = []
def _reset_state(self, batch, device=None):
device = device or batch[0].device
self._state = self.model.default_state(*batch[0].shape[:1], device=device)
def _detach_state(self, state):
if isinstance(state, torch.Tensor):
return state.detach()
elif isinstance(state, tuple):
return tuple(self._detach_state(s) for s in state)
elif isinstance(state, list):
return [self._detach_state(s) for s in state]
elif isinstance(state, dict):
return {k: self._detach_state(v) for k, v in state.items()}
elif state is None:
return None
else:
raise NotImplementedError
def _process_state(self, batch, batch_idx, train=True):
"""Handle logic for state context. This is unused for all current S3 experiments"""
# Number of context steps
key = "n_context" if train else "n_context_eval"
n_context = self.hparams.train.state.get(key)
# Don't need to do anything if 0 context steps
if n_context == 0 and self.hparams.train.state.mode not in ['tbptt']:
return
# Reset state if needed
if self.hparams.train.state.mode == "reset":
if batch_idx % (n_context + 1) == 0:
self._reset_state(batch)
# Pass through memory chunks
elif self.hparams.train.state.mode == "bptt":
self._reset_state(batch)
with torch.no_grad(): # should be unnecessary because individual modules should handle this
for _batch in self._memory_chunks:
self.forward(_batch)
# Prepare for next step
self._memory_chunks.append(batch)
self._memory_chunks = self._memory_chunks[-n_context:]
elif self.hparams.train.state.mode == 'tbptt':
_, _, *z = batch
reset = z[-1] # if tbptt, last element of z should be whether to reset state!
if reset:
self._reset_state(batch)
else:
self._state = self._detach_state(self._state)
def on_epoch_start(self):
self._initialize_state()
def forward(self, batch):
"""Passes a batch through the encoder, backbone, and decoder"""
# z holds arguments such as sequence length
x, y, *z = batch
# w can model-specific constructions such as key_padding_mask for transformers or state for RNNs
x, *w = self.encoder(x, *z)
x, state = self.model(x, *w, state=self._state)
self._state = state
x, *w = self.decoder(x, state, *z)
return x, y, *w
@torch.inference_mode()
def forward_recurrence(self, batch, k=1):
"""This is a bit hacky; not part of the main train loop, only used to benchmark speed of recurrent view"""
x, y, *z = batch
T = x.shape[1]
if k > 1:
x = torch.cat([x] * k, dim=0)
self._state = self.model.default_state(*x.shape[:1], device="cuda")
x_all = []
w_all = []
for t in tqdm(range(T)):
x_t = x[:, t]
x_t = x_t.to("cuda")
x_t, *w_t = self.encoder(x_t)
x_t, state = self.model.step(x_t, state=self._state)
self._state = state
x_t, *w_t = self.decoder(x_t, state)
x_all.append(x_t)
w_all.append(w_t)
return torch.stack(x_all), y, *[torch.stack(w_) for w_ in zip(*w_all)]
def _shared_step(self, batch, batch_idx, prefix="train"):
self._process_state(batch, batch_idx, train=(prefix == "train"))
x, y, *w = self.forward(batch)
# Loss
loss = self.loss(x, y, *w)
# Metrics
metrics = self.metrics(x, y)
metrics["loss"] = loss
metrics = {f"{prefix}/{k}": v for k, v in metrics.items()}
# Calculate torchmetrics: these are accumulated and logged at the end of epochs
self.task.torchmetrics(x, y, prefix)
self.log_dict(
metrics,
on_step=False,
on_epoch=True,
prog_bar=True,
add_dataloader_idx=False,
sync_dist=True,
)
return loss
def on_train_epoch_start(self):
# Reset training torchmetrics
self.task._reset_torchmetrics("train")
def training_epoch_end(self, outputs):
# Log training torchmetrics
super().training_epoch_end(outputs)
self.log_dict(
{f"train/{k}": v for k, v in self.task.get_torchmetrics("train").items()},
on_step=False,
on_epoch=True,
prog_bar=True,
add_dataloader_idx=False,
sync_dist=True,
)
def on_validation_epoch_start(self):
# Reset all validation torchmetrics
for name in self.val_loader_names:
self.task._reset_torchmetrics(name)
def validation_epoch_end(self, outputs):
# Log all validation torchmetrics
super().validation_epoch_end(outputs)
for name in self.val_loader_names:
self.log_dict(
{f"{name}/{k}": v for k, v in self.task.get_torchmetrics(name).items()},
on_step=False,
on_epoch=True,
prog_bar=True,
add_dataloader_idx=False,
sync_dist=True,
)
def on_test_epoch_start(self):
# Reset all test torchmetrics
for name in self.test_loader_names:
self.task._reset_torchmetrics(name)
def test_epoch_end(self, outputs):
# Log all test torchmetrics
super().test_epoch_end(outputs)
for name in self.test_loader_names:
self.log_dict(
{f"{name}/{k}": v for k, v in self.task.get_torchmetrics(name).items()},
on_step=False,
on_epoch=True,
prog_bar=True,
add_dataloader_idx=False,
sync_dist=True,
)
def training_step(self, batch, batch_idx):
loss = self._shared_step(batch, batch_idx, prefix="train")
# Log the loss explicitly so it shows up in WandB
# Note that this currently runs into a bug in the progress bar with ddp (as of 1.4.6)
# https://github.com/PyTorchLightning/pytorch-lightning/pull/9142
# We additionally log the epochs under 'trainer' to get a consistent prefix with 'global_step'
loss_epoch = {"trainer/loss": loss, "trainer/epoch": self.current_epoch}
self.log_dict(
loss_epoch,
on_step=True,
on_epoch=False,
prog_bar=False,
add_dataloader_idx=False,
sync_dist=True,
)
# Log any extra info that the models want to expose (e.g. output norms)
metrics = {}
for module in list(self.modules())[1:]:
if hasattr(module, "metrics"):
metrics.update(module.metrics)
self.log_dict(
metrics,
on_step=True,
on_epoch=False,
prog_bar=False,
add_dataloader_idx=False,
sync_dist=True,
)
return loss
def validation_step(self, batch, batch_idx, dataloader_idx=0):
ema = (
self.val_loader_names[dataloader_idx].endswith("/ema")
and self.optimizers().optimizer.stepped
) # There's a bit of an annoying edge case with the first (0-th) epoch; it has to be excluded due to the initial sanity check
if ema:
self.optimizers().swap_ema()
loss = self._shared_step(
batch, batch_idx, prefix=self.val_loader_names[dataloader_idx]
)
if ema:
self.optimizers().swap_ema()
return loss
def test_step(self, batch, batch_idx, dataloader_idx=0):
return self._shared_step(
batch, batch_idx, prefix=self.test_loader_names[dataloader_idx]
)
def configure_optimizers(self):
# Normal parameters
all_params = list(self.parameters())
params = [p for p in all_params if not hasattr(p, "_optim")]
# Construct optimizer, add EMA if necessary
if self.hparams.train.ema > 0.0:
optimizer = utils.instantiate(
registry.optimizer,
self.hparams.optimizer,
params,
wrap=build_ema_optimizer,
polyak=self.hparams.train.ema,
)
else:
optimizer = utils.instantiate(
registry.optimizer, self.hparams.optimizer, params
)
del self.hparams.optimizer._name_
# Add parameters with special hyperparameters
hps = [getattr(p, "_optim") for p in all_params if hasattr(p, "_optim")]
hps = [
dict(s) for s in set(frozenset(hp.items()) for hp in hps)
] # Unique dicts
for hp in hps:
params = [p for p in all_params if getattr(p, "_optim", None) == hp]
optimizer.add_param_group(
{"params": params, **self.hparams.optimizer, **hp}
)
# Print optimizer info for debugging
keys = set(
[k for hp in hps for k in hp.keys()]
) # Get the set of special hparams
utils.train.log_optimizer(log, optimizer, keys)
# Configure scheduler
if "scheduler" not in self.hparams:
return optimizer
lr_scheduler = utils.instantiate(
registry.scheduler, self.hparams.scheduler, optimizer
)
scheduler = {
"scheduler": lr_scheduler,
"interval": self.hparams.train.interval, # 'epoch' or 'step'
"monitor": self.hparams.train.monitor,
"name": "trainer/lr", # default is e.g. 'lr-AdamW'
}
# See documentation for how to configure the return
# https://pytorch-lightning.readthedocs.io/en/latest/api/pytorch_lightning.core.lightning.html#pytorch_lightning.core.lightning.LightningModule.configure_optimizers
return [optimizer], [scheduler]
def train_dataloader(self):
return self.dataset.train_dataloader(**self.hparams.loader)
def _eval_dataloaders_names(self, loaders, prefix):
"""Process loaders into a list of names and loaders"""
if utils.is_dict(loaders):
return [
f"{prefix}/{k}" if k is not None else prefix for k in loaders.keys()
], list(loaders.values())
elif utils.is_list(loaders):
return [f"{prefix}/{i}" for i in range(len(loaders))], loaders
else:
return [prefix], [loaders]
def _eval_dataloaders(self):
# Return all val + test loaders
val_loaders = self.dataset.val_dataloader(**self.hparams.loader)
test_loaders = self.dataset.test_dataloader(**self.hparams.loader)
val_loader_names, val_loaders = self._eval_dataloaders_names(val_loaders, "val")
test_loader_names, test_loaders = self._eval_dataloaders_names(
test_loaders, "test"
)
# Duplicate datasets for ema
if self.hparams.train.ema > 0.0:
val_loader_names += [name + "/ema" for name in val_loader_names]
val_loaders = val_loaders + val_loaders
test_loader_names += [name + "/ema" for name in test_loader_names]
test_loaders = test_loaders + test_loaders
return val_loader_names + test_loader_names, val_loaders + test_loaders
def val_dataloader(self):
val_loader_names, val_loaders = self._eval_dataloaders()
self.val_loader_names = val_loader_names
return val_loaders
def test_dataloader(self):
test_loader_names, test_loaders = self._eval_dataloaders()
self.test_loader_names = ["final/" + name for name in test_loader_names]
return test_loaders
### pytorch-lightning utils and entrypoint
def create_trainer(config, **kwargs):
callbacks: List[pl.Callback] = []
logger = None
# WandB Logging
if config.get("wandb") is not None:
# Pass in wandb.init(config=) argument to get the nice 'x.y.0.z' hparams logged
# Can pass in config_exclude_keys='wandb' to remove certain groups
import wandb
logger = WandbLogger(
config=utils.to_dict(config, recursive=True),
settings=wandb.Settings(start_method="fork"),
**config.wandb,
)
# Lightning callbacks
if "callbacks" in config:
for _name_, callback in config.callbacks.items():
if config.get("wandb") is None and _name_ in ["learning_rate_monitor"]:
continue
log.info(f"Instantiating callback <{registry.callbacks[_name_]}>")
callback._name_ = _name_
callbacks.append(utils.instantiate(registry.callbacks, callback))
# Configure ddp automatically
if config.trainer.gpus > 1:
kwargs["plugins"] = [
pl.plugins.DDPPlugin(
find_unused_parameters=True,
gradient_as_bucket_view=False, # https://pytorch-lightning.readthedocs.io/en/stable/advanced/advanced_gpu.html#ddp-optimizations
)
]
kwargs["accelerator"] = "ddp"
kwargs.update(config.trainer)
trainer = pl.Trainer(
logger=logger,
callbacks=callbacks,
**kwargs,
)
return trainer
def train(config):
if config.train.seed is not None:
pl.seed_everything(config.train.seed, workers=True)
trainer = create_trainer(config)
model = SequenceLightningModule(config)
trainer.fit(model)
if config.train.test:
trainer.test(model)
def benchmark_step(config):
"""Utility function to benchmark speed of 'stepping', i.e. recurrent view. Unused for main train logic"""
pl.seed_everything(config.train.seed, workers=True)
model = SequenceLightningModule(config)
model.setup()
model.to("cuda")
print("Num Parameters: ", sum(p.numel() for p in model.parameters()))
print(
"Num Trainable Parameters: ",
sum(p.numel() for p in model.parameters() if p.requires_grad),
)
model._on_post_move_to_device()
for module in model.modules():
if hasattr(module, "setup_step"):
module.setup_step()
model.eval()
val_dataloaders = model.val_dataloader()
dl = val_dataloaders[0] if utils.is_list(val_dataloaders) else val_dataloaders
import benchmark
for batch in dl:
benchmark.utils.benchmark(
model.forward_recurrence,
batch,
config.train.benchmark_step_k,
T=config.train.benchmark_step_T,
)
break
@hydra.main(config_path="configs", config_name="config.yaml")
def main(config: OmegaConf):
# Process config:
# - register evaluation resolver
# - filter out keys used only for interpolation
# - optional hooks, including disabling python warnings or debug friendly configuration
config = utils.train.process_config(config)
# Pretty print config using Rich library
utils.train.print_config(config, resolve=True)
if config.train.benchmark_step:
benchmark_step(config)
exit()
train(config)
if __name__ == "__main__":
main()