-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpretrain_multi_gpu.py
executable file
·353 lines (255 loc) · 14.9 KB
/
pretrain_multi_gpu.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
'''Pre-training of MAE. i.e. SSL training before any finetuning or probing.
'''
import os, sys
sys.path.append(os.path.dirname(os.path.dirname(os.path.abspath(__file__))))
from tqdm import tqdm
import datetime
from loguru import logger
import argparse
import yaml
import torch
import torch.distributed as dist
import torch.multiprocessing as mp
import torch.nn as nn
from torch.utils.data import DataLoader
from pathlib import Path
# from torch.profiler import profile, record_function, ProfilerActivity
from models.mae import MaskedAutoEncoder
from load_dataset import LoadDeepLakeDataset, LoadUnlabelledDataset
from init_optim import InitOptimWithSGDR
from utils import load_checkpoint, save_checkpoint
from visualize_prediction import VisualizePrediction
import cred
def main(gpu, args):
RANK = args.rank * args.gpus + gpu
WORLD_SIZE = args.gpus * args.nodes
dist.init_process_group(backend='nccl', init_method='env://', world_size=WORLD_SIZE, rank=RANK)
DATETIME_NOW = datetime.datetime.now().replace(second=0, microsecond=0) #datetime without seconds & miliseconds.
#Read the config file from args.
with open(args.config, 'r') as configfile:
config = yaml.load(configfile, Loader=yaml.FullLoader)
print("Configuration read successful...")
with open(args.logging_config, 'r') as logging_configfile:
logging_config = yaml.load(logging_configfile, Loader=yaml.FullLoader)
print("Logging configuration file read successful...")
print("Initializing logger")
##Logger initialization
if logging_config['disable_default_loggers']:
logger.remove(0)
logging_formatter = logging_config['formatters'][config['env']] #set the environment for the logger.
Path(f"{logging_config['log_dir']}").mkdir(parents=True, exist_ok=True)
#to output to a file
logger.add(f"{logging_config['log_dir']}{DATETIME_NOW}-{logging_config['log_filename']}--RANK_{RANK}",
level=logging_formatter['level'],
format=logging_formatter['format'],
backtrace=logging_formatter['backtrace'],
diagnose=logging_formatter['diagnose'],
enqueue=logging_formatter['enqueue'])
#to output to the console.
logger.add(sys.stdout,
level=logging_formatter['level'],
format=logging_formatter['format'],
backtrace=logging_formatter['backtrace'],
colorize=True,
diagnose=logging_formatter['diagnose'],
enqueue=logging_formatter['enqueue'])
#@@@@@@@@@@@@@@@@@@@@@@@@@ Extract the configurations from YAML file @@@@@@@@@@@@@@@@@@@@@@
#Data configurations.
BATCH_SIZE = config['data']['batch_size']
IMAGE_SIZE = config['data']['image_size']
IMAGE_DEPTH = config['data']['image_depth']
DATASET_FOLDER = config['data']['dataset_folder']
NUM_WORKERS = config['data']['num_workers']
SHUFFLE = config['data']['shuffle']
USE_RANDOM_HORIZONTAL_FLIP = config['data']['use_random_horizontal_flip']
NORMALIZE_PIXEL = config['data']['normalize_pixel']
DEEPLAKE_DS_NAME = config['data']['deeplake_ds_name']
#Mask configurations.
PATCH_SIZE = config['mask']['patch_size']
MASKING_RATIO = config['mask']['masking_ratio']
#Visualization configurations.
VISUALIZE_BATCH_SIZE = config['visualization']['visualize_batch_size']
FIG_SAVEPATH = config['visualization']['fig_savepath']
NUM_FIGS = config['visualization']['num_figs']
VISUALIZE_FREQ = config['visualization']['visualize_freq']
#Model configurations.
MODEL_SAVE_FOLDER = config['model']['model_save_folder']
MODEL_NAME = config['model']['model_name']
MODEL_SAVE_FREQ = config['model']['model_save_freq']
N_SAVED_MODEL_TO_KEEP = config['model']['N_saved_model_to_keep']
ENCODER_TRANSFORMER_BLOCKS_DEPTH = config['model']['encoder_transformer_blocks_depth']
DECODER_TRANSFORMER_BLOCKS_DEPTH = config['model']['decoder_transformer_blocks_depth']
ENCODER_EMBEDDING_DIM = config['model']['encoder_embedding_dim']
DECODER_EMBEDDING_DIM = config['model']['decoder_embedding_dim']
ENCODER_MLP_RATIO = config['model']['encoder_mlp_ratio']
DECODER_MLP_RATIO = config['model']['decoder_mlp_ratio']
ENCODER_NUM_HEADS = config['model']['encoder_num_heads']
DECODER_NUM_HEADS = config['model']['decoder_num_heads']
ATTN_DROPOUT_PROB = config['model']['attn_dropout_prob']
FEEDFORWARD_DROPOUT_PROB = config['model']['feedforward_dropout_prob']
#Training configurations
DEVICE = config['training']['device']
DEVICE = torch.device(f"cuda:{gpu}" if torch.cuda.is_available() and DEVICE=='gpu' else 'cpu')
LOAD_CHECKPOINT = config['training']['load_checkpoint']
LOAD_CHECKPOINT_EPOCH = config['training']['load_checkpoint_epoch']
END_EPOCH = config['training']['end_epoch']
START_EPOCH = config['training']['start_epoch']
COSINE_UPPER_BOUND_LR = config['training']['cosine_annealing']['cosine_upper_bound_lr']
COSINE_LOWER_BOUND_LR = config['training']['cosine_annealing']['cosine_lower_bound_lr']
WARMUP_START_LR = config['training']['cosine_annealing']['warmup_start_lr']
WARMUP_STEPS = config['training']['cosine_annealing']['warmup_steps']
INITIAL_NUM_EPOCH_TO_RESTART_LR = config['training']['cosine_annealing']['initial_num_epoch_to_restart_lr']
FINAL_NUM_EPOCH_TO_RESTART_LR = config['training']['cosine_annealing']['final_num_epoch_to_restart_lr']
EPOCH_IDX_TO_INCREASE_RESTARTS = config['training']['cosine_annealing']['epoch_idx_to_increase_restarts']
COSINE_UPPER_BOUND_WD = config['training']['cosine_annealing']['cosine_upper_bound_wd']
COSINE_LOWER_BOUND_WD = config['training']['cosine_annealing']['cosine_lower_bound_wd']
UPPER_BOUND_LR_DECAY = config['training']['cosine_annealing']['upper_bound_lr_decay']
USE_BFLOAT16 = config['training']['use_bfloat16']
USE_NEPTUNE = config['training']['use_neptune']
USE_TENSORBOARD = config['training']['use_tensorboard']
USE_PROFILER = config['training']['use_profiler']
NEPTUNE_RUN = None
if USE_NEPTUNE:
import neptune
NEPTUNE_RUN = neptune.init_run(
project=cred.NEPTUNE_PROJECT,
api_token=cred.NEPTUNE_API_TOKEN
) if RANK == 0 else None #only init Neptune for rank 0.
if RANK == 0:
#we have partially unsupported types. Hence the utils method.
NEPTUNE_RUN['parameters'] = neptune.utils.stringify_unsupported(config)
logger.info("Init MAE model...")
MAE_MODEL = MaskedAutoEncoder(patch_size=PATCH_SIZE,
image_size=IMAGE_SIZE,
image_depth=IMAGE_DEPTH,
encoder_embedding_dim=ENCODER_EMBEDDING_DIM,
decoder_embedding_dim=DECODER_EMBEDDING_DIM,
encoder_transformer_blocks_depth=ENCODER_TRANSFORMER_BLOCKS_DEPTH,
decoder_transformer_blocks_depth=DECODER_TRANSFORMER_BLOCKS_DEPTH,
masking_ratio=MASKING_RATIO,
normalize_pixel=NORMALIZE_PIXEL,
device=DEVICE,
encoder_mlp_ratio=ENCODER_MLP_RATIO,
decoder_mlp_ratio=DECODER_MLP_RATIO,
encoder_num_heads=ENCODER_NUM_HEADS,
decoder_num_heads=DECODER_NUM_HEADS,
attn_dropout_prob=ATTN_DROPOUT_PROB,
feedforward_dropout_prob=FEEDFORWARD_DROPOUT_PROB,
logger=None)
torch.cuda.set_device(gpu)
MAE_MODEL.cuda(gpu)
MAE_MODEL = nn.parallel.DistributedDataParallel(MAE_MODEL, device_ids=[gpu])
DATASET_MODULE = LoadUnlabelledDataset(dataset_folder_path=DATASET_FOLDER,
image_size=224,
image_depth=3,
use_random_horizontal_flip=USE_RANDOM_HORIZONTAL_FLIP,
logger=None)
SAMPLER = torch.utils.data.distributed.DistributedSampler(DATASET_MODULE, num_replicas=WORLD_SIZE, rank=RANK)
DATALOADER = DataLoader(DATASET_MODULE,
batch_size=BATCH_SIZE,
pin_memory=True,
num_workers=NUM_WORKERS,
sampler=SAMPLER)
ITERATIONS_PER_EPOCH = len(DATALOADER)
#this module contains the init for optimizer and schedulers.
OPTIM_AND_SCHEDULERS = InitOptimWithSGDR(
autoencoder_model=MAE_MODEL,
cosine_upper_bound_lr=COSINE_UPPER_BOUND_LR,
cosine_lower_bound_lr=COSINE_LOWER_BOUND_LR,
warmup_start_lr=WARMUP_START_LR,
warmup_steps=WARMUP_STEPS,
initial_num_steps_to_restart_lr=INITIAL_NUM_EPOCH_TO_RESTART_LR*ITERATIONS_PER_EPOCH,
final_num_steps_to_restart_lr=FINAL_NUM_EPOCH_TO_RESTART_LR*ITERATIONS_PER_EPOCH,
epoch_idx_to_increase_restarts=EPOCH_IDX_TO_INCREASE_RESTARTS,
cosine_upper_bound_wd=COSINE_UPPER_BOUND_WD,
cosine_lower_bound_wd=COSINE_LOWER_BOUND_WD,
upper_bound_lr_decay=UPPER_BOUND_LR_DECAY,
logger=logger
)
OPTIMIZER = OPTIM_AND_SCHEDULERS.get_optimizer()
SCALER = None
if USE_BFLOAT16:
SCALER = torch.cuda.amp.GradScaler()
if LOAD_CHECKPOINT:
MAE_MODEL, START_EPOCH = load_checkpoint(model_save_folder=MODEL_SAVE_FOLDER,
model_name=MODEL_NAME,
mae_model=MAE_MODEL,
load_checkpoint_epoch=None,
logger=logger)
for _ in range(ITERATIONS_PER_EPOCH*START_EPOCH):
OPTIM_AND_SCHEDULERS.step() #this is needed to restore the parameters of the optimizer. LR and WD rate.
#Initialize the visualizing module to visualize the predictions.
VISUALIZER = VisualizePrediction(visualize_batch_size=VISUALIZE_BATCH_SIZE,
image_size=IMAGE_SIZE,
image_depth=IMAGE_DEPTH,
patch_size=PATCH_SIZE,
fig_savepath=FIG_SAVEPATH,
num_figs=NUM_FIGS)
for epoch_idx in range(START_EPOCH, END_EPOCH):
logger.info(f"Training has started for epoch {epoch_idx}")
MAE_MODEL.train() #set to train mode.
epoch_loss = 0
try:
for idx, data in tqdm(enumerate(DATALOADER)):
images = data['images'].to(DEVICE, non_blocking=True)
with torch.cuda.amp.autocast(dtype=torch.bfloat16, enabled=USE_BFLOAT16):
loss, preds, inverted_masks = MAE_MODEL(x=images)
#dist.reduce(loss, 0, op=dist.ReduceOp.SUM) #reduce loss across all GPU.
#backward and step
if USE_BFLOAT16:
SCALER.scale(loss).backward()
SCALER.step(OPTIMIZER)
SCALER.update()
else:
loss.backward()
OPTIMIZER.step()
OPTIMIZER.zero_grad()
_new_lr, _new_wd = OPTIM_AND_SCHEDULERS.step(epoch_idx=epoch_idx)
if NEPTUNE_RUN and RANK == 0:
NEPTUNE_RUN['train/lr'].append(_new_lr)
NEPTUNE_RUN['train/wd'].append(_new_wd)
epoch_loss += loss.item() / WORLD_SIZE #average loss
# torch.nn.utils.clip_grad_norm_(MAE_MODEL.parameters(), 1.0)
except Exception as err:
logger.error(f"Training stopped at epoch {epoch_idx} due to {err}")
if NEPTUNE_RUN and RANK == 0:
NEPTUNE_RUN.stop()
dist.destroy_process_group()
sys.exit()
logger.info(f"The training loss at epoch {epoch_idx} is : {epoch_loss}")
if USE_NEPTUNE and RANK == 0:
NEPTUNE_RUN['train/loss_per_epoch'].append(epoch_loss)
if epoch_idx % VISUALIZE_FREQ == 0 and RANK == 0:
#visualize the last iteration.
VISUALIZER.plot(pred_tensor=preds.detach(),
target_tensor=images.detach(),
inverted_masks=inverted_masks.detach(),
epoch_idx=epoch_idx,
neptune_run=NEPTUNE_RUN
)
if epoch_idx % MODEL_SAVE_FREQ == 0 and RANK == 0:
save_checkpoint(model_save_folder=MODEL_SAVE_FOLDER,
model_name=MODEL_NAME,
mae_model=MAE_MODEL,
scaler=SCALER,
epoch=epoch_idx,
loss=epoch_loss,
N_models_to_keep=N_SAVED_MODEL_TO_KEEP,
logger=logger
)
dist.destroy_process_group()
if USE_NEPTUNE and RANK == 0:
NEPTUNE_RUN.stop()
if __name__ == '__main__':
os.environ["OMP_NUM_THREADS"] = "1"
os.environ["MKL_NUM_THREADS"] = "1"
os.environ['MASTER_ADDR'] = '192.168.122.88'
os.environ['MASTER_PORT'] = '8888'
parser = argparse.ArgumentParser()
parser.add_argument('--config', required=True, type=str, help='Specify the YAML config file to be used.')
parser.add_argument('--logging_config', required=True, type=str, help='Specify the YAML config file to be used for the logging module.')
parser.add_argument('--gpus', required=True, type=int, help='Specify the number of GPUS for the training.')
parser.add_argument('--rank', type=int, help='Specify the rank of the default node', default=0)
parser.add_argument('--nodes', type=int, help='Specify the number of nodes.', default=1)
args = parser.parse_args()
mp.spawn(main, nprocs=args.gpus, args=(args,), join=True)