File size: 10,428 Bytes
b386992 | 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 | # Copyright (c) 2025, NVIDIA CORPORATION. All rights reserved.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
import os
from contextlib import contextmanager
from pathlib import Path
from typing import Iterator, Optional, Sequence, Tuple
import lightning.pytorch as pl
import megatron
import pytest
import torch
from lightning.pytorch.utilities.types import EVAL_DATALOADERS, TRAIN_DATALOADERS
from megatron.core import ModelParallelConfig, parallel_state
from torch import Tensor
import nemo.lightning as nl
from nemo.lightning.io.mixin import IOMixin
from nemo.lightning.megatron_parallel import DataT, MegatronLossReduction, ReductionT
from nemo.lightning.pytorch.plugins import MegatronDataSampler
### model environment related utilities
def _reset_megatron_parallel_state():
"""Resets _GLOBAL_NUM_MICROBATCHES_CALCULATOR in megatron which is used in NeMo to initialized model parallel in
nemo.collections.nlp.modules.common.megatron.megatron_init.initialize_model_parallel_for_nemo
""" # noqa: D205, D415
megatron.core.num_microbatches_calculator._GLOBAL_NUM_MICROBATCHES_CALCULATOR = None
# Clean up any process groups created in testing
torch.cuda.empty_cache()
if parallel_state.is_initialized():
parallel_state.destroy_model_parallel()
if torch.distributed.is_initialized():
torch.distributed.destroy_process_group()
@contextmanager
def reset_megatron_parallel_state() -> Iterator[None]:
"""Puts you into a clean parallel state, and again tears it down at the end."""
try:
_reset_megatron_parallel_state()
yield
finally:
_reset_megatron_parallel_state()
class RandomDataset(pl.LightningDataModule):
def __init__(self, size, length):
super().__init__()
self.len = length
self.data = torch.randn(length, size)
self.data_sampler = MegatronDataSampler(
seq_len=size,
micro_batch_size=2,
global_batch_size=2,
rampup_batch_size=None,
)
def __getitem__(self, index):
return self.data[index]
def __len__(self):
return self.len
def train_dataloader(self) -> TRAIN_DATALOADERS:
return torch.utils.data.DataLoader(self.data, batch_size=2)
def val_dataloader(self) -> EVAL_DATALOADERS:
return torch.utils.data.DataLoader(self.data, batch_size=2)
class PassThroughLossReduction(MegatronLossReduction):
"""A class used for calculating the loss, and for logging the reduced loss across micro batches."""
def forward(self, batch: DataT, forward_out: Tensor) -> Tuple[Tensor, ReductionT]:
return forward_out, forward_out
def reduce(self, losses_reduced_per_micro_batch: Sequence[ReductionT]) -> Tensor:
"""Works across micro-batches. (data on single gpu).
Note: This currently only works for logging and this loss will not be used for backpropagation.
Args:
losses_reduced_per_micro_batch: a list of the outputs of forward
Returns:
A tensor that is the mean of the losses. (used for logging).
"""
mse_losses = torch.stack([loss for loss in losses_reduced_per_micro_batch])
return mse_losses.mean()
class ExampleModel(pl.LightningModule, IOMixin):
def __init__(self, *args, **kwargs):
super().__init__()
## keeps track of number of validation steps
self.count = torch.zeros((1,))
def configure_model(self):
class NestedModel(torch.nn.Module):
def __init__(self):
super().__init__()
self.l1 = torch.nn.modules.Linear(in_features=32, out_features=32)
self.bn = torch.nn.BatchNorm1d(32)
self.model_type = "test"
self.validation_step_outputs = []
self.vp_stage = None
class DummyConfig(ModelParallelConfig):
calculate_per_token_loss: bool = False
fp8: bool = False
self.config = DummyConfig()
self.module = NestedModel()
def forward(self, batch):
return self.l1(self.bn(batch)).sum()
def train_dataloader(self):
dataset = RandomDataset(32, 16)
return torch.utils.data.DataLoader(dataset, batch_size=2)
def val_dataloader(self):
dataset = RandomDataset(32, 16)
return torch.utils.data.DataLoader(dataset, batch_size=2)
def test_dataloader(self):
dataset = RandomDataset(32, 16)
dl = torch.utils.data.DataLoader(dataset, batch_size=2)
self._test_names = ['test_{}_'.format(idx) for idx in range(len(dl))]
return dl
def training_step(self, batch):
return self(batch)
def validation_step(self, batch):
## use a dummy validation loss to ensure that loss is decreasing at each step
## which guarantees that the -last checkpoints will be symlinks if specified
self.count += 1
self.validation_step_outputs.append(-self.count)
return -self.count
def test_step(self, batch):
loss = self(batch)
self.test_step_outputs.append(loss)
return loss
def configure_optimizers(self):
return torch.optim.SGD(self.parameters(), lr=1e-3)
def on_validation_epoch_end(self):
self.log("val_loss", torch.stack(self.validation_step_outputs).mean())
self.validation_step_outputs.clear() # free memory
def set_input_tensor(self, input_tensor: Optional[Tensor]) -> None:
pass
def training_loss_reduction(self) -> MegatronLossReduction: # noqa: D102
# This is the function that takes batch['loss_mask'] and the logits output by the model and reduces the loss
return PassThroughLossReduction()
def validation_loss_reduction(self) -> MegatronLossReduction: # noqa: D102
return PassThroughLossReduction()
def setup_test(path, async_save=False, max_epochs=3):
model = ExampleModel()
data = RandomDataset(32, 64)
resume = nl.AutoResume(
resume_if_exists=True,
resume_ignore_no_checkpoint=True,
)
nemo_logger = nl.NeMoLogger(
log_dir=path,
use_datetime_version=False,
)
strategy = nl.MegatronStrategy(
ckpt_async_save=async_save,
replace_progress_bar=False,
)
trainer = nl.Trainer(
max_epochs=max_epochs,
devices=1,
val_check_interval=6,
log_every_n_steps=4,
callbacks=nl.ModelCheckpoint(
monitor="val_loss",
save_top_k=3,
save_on_train_epoch_end=True,
save_context_on_train_end=False,
filename=f'{{step}}-{{epoch}}-{{val_loss}}-{{consumed_samples}}',
save_last="link",
),
strategy=strategy,
)
nemo_logger.setup(trainer)
resume.setup(trainer)
return data, model, trainer
def get_final_checkpoint(checkpoint_dir):
dist_checkpoints = [d for d in list(checkpoint_dir.glob("*")) if d.is_dir()]
last_checkpoints = [d for d in dist_checkpoints if d.match("*last")]
assert len(last_checkpoints) == 1 ## should only have one -last checkpoint
final_ckpt = last_checkpoints[0]
top_k_checkpoints = [d for d in dist_checkpoints if d not in last_checkpoints]
return final_ckpt, top_k_checkpoints
class TestLinkCheckpoint:
@pytest.mark.unit
@pytest.mark.run_only_on("GPU")
def test_link_ckpt(self, tmpdir):
"""Test to ensure that we always keep top_k checkpoints, even after resuming."""
with reset_megatron_parallel_state():
tmp_path = tmpdir / "link_ckpt_test"
data, model, trainer = setup_test(tmp_path, async_save=False)
trainer.fit(model, data)
checkpoint_dir = Path(tmp_path / "default" / "checkpoints")
final_ckpt, top_k_checkpoints = get_final_checkpoint(checkpoint_dir)
assert os.path.islink(final_ckpt)
## make sure we're saving the expected number of checkpoints
assert len(top_k_checkpoints) == 3
link = final_ckpt.resolve()
assert str(final_ckpt).replace("-last", "") == str(link)
@pytest.mark.unit
@pytest.mark.run_only_on("GPU")
def test_link_ckpt_async(self, tmpdir):
"""Test to ensure that we always keep top_k checkpoints, even after resuming."""
with reset_megatron_parallel_state():
tmp_path = tmpdir / "async_link_ckpt_test"
data, model, trainer = setup_test(tmp_path, async_save=True)
trainer.fit(model, data)
checkpoint_dir = Path(tmp_path / "default" / "checkpoints")
final_ckpt, top_k_checkpoints = get_final_checkpoint(checkpoint_dir)
assert os.path.islink(final_ckpt)
assert len(top_k_checkpoints) == 3
link = final_ckpt.resolve()
assert str(final_ckpt).replace("-last", "") == str(link)
@pytest.mark.unit
@pytest.mark.run_only_on("GPU")
def test_restore_async(self, tmpdir):
"""Test to ensure that we always keep top_k checkpoints, even after resuming."""
with reset_megatron_parallel_state():
tmp_path = tmpdir / "async_link_ckpt_test"
data, model, trainer = setup_test(tmp_path, async_save=True, max_epochs=3)
trainer.fit(model, data)
## reinitialize
data, model, trainer = setup_test(tmp_path, async_save=True, max_epochs=6)
trainer.fit(model, data)
checkpoint_dir = Path(tmp_path / "default" / "checkpoints")
final_ckpt, top_k_checkpoints = get_final_checkpoint(checkpoint_dir)
assert os.path.islink(final_ckpt)
assert len(top_k_checkpoints) == 3
epoch = str(final_ckpt).split('epoch=')[1][0]
assert int(epoch) == 5 ## make sure we're running the correct number of epochs
|