This NVIDIA doc is nice on all collective operations (all_reduce, reduce_scatter, etc): https://docs.nvidia.com/deeplearning/nccl/user-guide/docs/usage/collectives.html
We showcase usage in the examples
directory.
Let's go through some key concepts.
ParallelContext
is the base class referencing all the process groups you might need when running parallel workloads. You can initialize it using the following:
from nanotron.parallel import ParallelContext
# define your topology
parallel_context = ParallelContext(
tensor_parallel_size=2,
data_parallel_size=2,
pipeline_parallel_size=2
)
ProcessGroups
is a mechanism in order to run distributed collectives (all-reduce
, all-gather
, ...) on a subgroup of all the ranks. It provides the granularity needed for 3D parallelism.
From this dataclass you can access multiple process groups:
dp_pg
/tp_pg
/pp_pg
: This produces your typical process groups linked to 3D parallelismworld_pg
: ProcessGroup including all the processes.world_rank_matrix
: This allows one to compute the world rank knowing the 3D ranks of a given process, or inversely when usingget_local_ranks
.world_ranks_to_pg
: This is a more generic pattern that allows you to store custom set of ProcessGroups, and querying it via a list of world ranks.
Given a specific computation workload, we can freely define how we distribute workloads. For example:
from torch import nn
# Example: let's assume you want to run a Linear without bias
hidden_size = 8
# Single process way of running computation
module = nn.Linear(hidden_size, hidden_size) # Parameters: [H, H]
input = torch.randn(batch_size, hidden_size)
output = module(input)
# Sharded ways of running computation across `tp_pg` (`ProcessGroup`)
# Version 1
sharded_module = nn.Linear(hidden_size, hidden_size / tp_pg.size())
input = torch.randn(batch_size, hidden_size)
sharded_output = module(input)
torch.distributed.all_gather(output, sharded_output, group=tp_pg.size())
# Version 2
sharded_module = nn.Linear(hidden_size / tp_pg.size(), hidden_size)
sharded_input = torch.randn(batch_size, hidden_size / tp_pg.size())
sharded_output = module(sharded_input)
torch.distributed.all_reduce(output, sharded_output, group=tp_pg.size())
# Version 3
sharded_module = nn.Linear(hidden_size, hidden_size)
sharded_input = torch.randn(batch_size / tp_pg.size(), hidden_size)
torch.distributed.all_gather(input, sharded_input, group=tp_pg.size())
output = module(input) # Duplicate workload
# Version ....
Distributed workloads have the tendency to generate tradeoffs between duplicated computation and extra communication. There's multiple ways to run the same computation, what we can optimize is the amount of communication we do, as well as duplicated work. Sometimes it's worth duplicating work in order to reduce communication significantly.
As seen in previous example, sometimes the parameters are sharded across multiple devices, and sometimes they are duplicated. In nanotron
, we decided to add those additional metadatas to nn.Parameter
. We call our new datastructure: NanotronParameter
A sharded parameter has the following metadata attached:
@dataclasses.dataclass
class SlicesPair:
local_slices: Tuple[slice, ...]
global_slices: Tuple[slice, ...]
@dataclasses.dataclass
class ShardedInfo:
# All world ranks involved in the sharding.
global_ranks: Tuple[int, ...]
# Info of to what slice of the unsharded tensor (global_slices) the current sharded tensor corresponds (local_slices)
local_global_slices_pairs: Tuple[SlicesPair, ...]
# The shape of the unsharded tensor
unsharded_shape: Tuple[int, ...]
Imagine we sharded a tensor t of shape [8, 64] across 2 ranks, 0 and 3, where rank 0 holds the first shard t[:, :32] and rank 3 holds the second shard t[:, 32:], then the sharded_info for them is:
shard_info = ShardedInfo(global_ranks=(0,3), local_global_slices_pairs=(SlicesPair(local_slices=(slice(0,8), slice(0, 32),), global_slices=(slice(0,8), slice(0, 32)),),), unsharded_shape=(8, 64)) # world rank 0
shard_info = ShardedInfo(global_ranks=(0,3), local_global_slices_pairs=(SlicesPair(local_slices=(slice(0,8), slice(0, 32),), global_slices=(slice(0,8), slice(32, 64)),),), unsharded_shape=(8, 64)) # world rank 3
This signifies that multiple occurrences of a given parameter are duplicated on multiple devices. Therefore we need a mechanism for them to be synced at all time. A typical example would be lm_head
on top of transformers that's tied to the word embedding parameters. We attach the following metadata to the parameter:
@dataclasses.dataclass
class TiedInfo:
# We usually arbitrarily choose a name of a parameter, either `lm_head.weight` or `wte.weight` for example.
name: str
# This allows us to define the scope in which `name` is valid.
root_module: nn.Module
# All world ranks involved in the tying.
global_ranks: Tuple[int, ...]
# In order to keep parameter synced, we add a `reduce_op` value that defines what kind of reduce operation we apply to the gradient.
# None signifies that we do not reduce
reduce_op: Optional[dist.ReduceOp]
Most interesting in this dataclass is the reduce_op
parameter. Sometimes duplicated workload can remove the need to sync gradients as by design gradient computation would have already computed the correct gradient. A typical example of this is classic TP implementation using all-reduce
/identity
.
Note: a parameter can be both sharded and tied. Both notion just have to involve different ranks. For example: lm_head and word embeddings can be sharded across TP, and tied between the first PP rank, and the last one.
Usually the go-to solution when models can't fit within a device. The basic idea is to figure out patterns where one can divide a single workload into multiple smaller workerloads that can run in parallel. We mimic tensor parallelism from Megatron-LM. Current supported modules:
- ColumnLinear/RowLinear
- ParallelVocabulary
- Cross-Entropy over sharded logits
- Distributed samplers for generation
Megatron-LM: Training Multi-Billion Parameter Language Models Using Model Parallelism introduces that notion upon implementing one of the first large scale transformers: (Source: link)
We can view the neural network as a sequence of operations. Instead of previous assumption where we split operations into smaller workloads that we can distribute. We take contiguous chunks and assign them to specific ranks. Instead of running parallel workloads, those are inherently sequential. In order to run them in parallel, we introduce fancy schedulers that process different batches in parallel:Rank 0 can be processing batch 1, while rank 1 is processing batch 0
- Rank 0 starts to process batch 0
- Rank 0 finishes to process batch 0
- Rank 0 sends outputs to rank 1
- Rank 1 starts to process batch 0
- Rank 0 starts to process batch 1 (Rank 1 and Rank 0 are processing in parallel batches 1 and 0 respectively)
- Rank 1 finishes to process batch 0
- Rank 0 finishes to process batch 1
The core component of our pipeline engine is a PipelineBlock
.
It acts as the granularity for all our pipeline engines, we can define a specific workload that needs to happen on a specific device, ie rank.
Other ranks run a dummy forward
where the forward pass returns TensorPointer
which hold enough metadata in order to know where the output of the computation is.
@dataclass
class TensorPointer:
group_rank: int
Module defined within PipelineBlock
can be directly instantiated on the specific device.
In short, what does PipelineBlock
does:
- Receives either a set of
torch.Tensor
/TensorPointer
as input - In case of
TensorPointer
, query the tensor from the specified rank we extract from its state/context. - Run the defined computation if current rank is responsible for running computation
- Return a dictionary
Dict[str, Union[torch.Tensor, TensorPointer]]
.TensorPointer
as output are for ranks that didn't run computation and require to know where the output of the computation is.
class PipelineBlock(nn.Module):
def __init__(
self,
p2p, # point-to-point communication class
module_builder, # module constructor in order to build module lazily
module_kwargs, # module constructor arguments in order to build module lazily
module_input_keys, # ranks that are not running compute to know the module input structure. Serves as a validation mechanism.
module_output_keys, # metadata for ranks that are not running compute to know the module output structure.
):
pass
# Example
# Lazy instantiation of a `nn.Linear`
model = PipelineBlock(
p2p=p2p,
module_builder=nn.Linear,
module_kwargs={"in_features":3, "out_feature": 5},
module_input_keys={"input"},
module_output_keys={"output"}
)
model.build_and_set_rank(pp_rank) # Instantiate model parameters on `pp_rank` assigned device
In order to define which rank we use the build_and_set_rank
method. It attaches the rank as a meta data, and builds the module on that specific rank.
Models have to be defined using a "surface" of PipelineBlock
. Typically, above PipelineBlock
it's all about defining the PipelineBlock
computational direct acyclic graph, below is where device specific computation is defined.
As a non trivial example:
class DummyModel(nn.Module):
def __init__(
self,
p2p: P2P,
):
super().__init__()
self.dense1 = PipelineBlock(
p2p=p2p,
module_builder=nn.Linear,
module_kwargs={"in_features": 10, "out_features": 10},
module_input_keys={"input"},
module_output_keys={"output"},
)
self.dense2 = PipelineBlock(
p2p=p2p,
module_builder=nn.Linear,
module_kwargs={"in_features": 10, "out_features": 10},
module_input_keys={"input"},
module_output_keys={"output"},
)
# Doesn't hold any parameter, but we have to specify where the computation happens.
self.loss = PipelineBlock(
p2p=p2p,
module_builder=lambda: lambda x: x.sum(),
module_kwargs={},
module_input_keys={"x"},
module_output_keys={"output"},
)
def forward(self, x: Union[torch.Tensor, TensorPointer]):
# x can be a `torch.Tensor` or a `TensorPointer` depending on the current rank, and where the pipeline blocks run their compute
x = self.dense1(input=x)["output"]
x = self.dense2(input=x)["output"]
x = self.loss(x=x)["output"]
return x
We now support two kinds of engines: AllForwardAllBackward
, OneForwardOneBackward
Pipeline engines are different schedules for the set of workloads. A great illustration for the different schedules we support for training can be found in Efficient Large-Scale Language Model Training on GPU Clusters Using Megatron-LM
. We support All forward all backward
and One forward one backward
currently (Figure 3 and top of figure 4).
(Source: link)
IMPORTANT NOTE: When preparing your dataloader, make sure every tensor lives on a single rank, and other ranks must have
TensorPointer
to that rank. This is a requirement for the pipeline engine to work.
ZeRO stands for "Zero Redundancy Optimizer", also known as "FSDP" in Pytorch. The goal of such techniques is to shard tensors across multiple devices instead of duplicating them. Consequently it allows for significant memory gains at the cost of some communication overhead (with potential ability to overlap computation and communication). Sharding is done across data parallel dimension There are three stages:
Stage 1
: The optimizer states are sharded.Stage 2
: The gradients are shardedStage 3
: The model weight are sharded
As of now, we currently only support stage 1
.
(Source: link)
Activation recomputation, also known as "activation checkpointing" is a memory saving technique. Pytorch automatically stores a set activation during the forward pass required for backward computation. However with large workloads, it might be worth recomputing specific activation in order to save memory. In nanotron
we provide a decorator to implement this feature:
class MyFancyModule(nn.Module):
def __init__(self):
...
self.do_checkpoint: bool = True
@checkpoint_method(attr_name="do_checkpoint")
def forward(self, x):
...
Usual pytorch module constructor instantiate weights on cpu and then move them to gpus. This can blow up cpu memory as well as being overall quite slow.
with init_on_device_and_dtype(device=torch.device("cuda"), dtype=torch.bfloat16):
module = MyFancyModule() # This directly instantiate the model on your device
# If you want to bypass Pytorch weight initialization mechanism
with init_on_device_and_dtype(device=torch.device("meta"), dtype=torch.bfloat16):
module = MyFancyModule()
module.to_empty(torch.device("cuda")) # bfloat 16 model loaded in gpu with weight not initialized (only the storage buffers are allocated)
We provide a uniform API to logging, whether that's on tensorboard, on stdout or on Hugging Face hub:
@dataclass
class LogItem:
tag: str
scalar_value: Union[float, int]
log_format: Optional[str] = None
All logger need to implement a single method:
class BaseLogger:
@abstractmethod
def add_scalars_from_list(self, log_entries: List[LogItem], iteration_step: int):
...
If you want to have tensorboard logger support: pip install -e ".[tb-logger]"
.
If you want to have huggingface-hub tensorboard logger support: pip install -e ".[hf-logger]"
.
We currently have a mechanism to have an arbitrary number of RandomState
in a RandomStates
:
class RandomState:
random
numpy
torch
torch_cuda
class RandomStates(MutableMapping[str, RandomState])
pass
At all time we get/set current random state in the current context
def get_current_random_state():
# This gets the current random_state from the current context
pass
def set_random_state(random_state: RandomState):
# This sets random state in the current context
pass
In order to use specific RandomState
for specific operations, typically when you want to synchronize nn.Dropout
across multiple ranks for example, you can run branch_random_state
context manager:
def branch_random_state(random_states:RandomStates, key:str):
# Context manager which sets the random state associated with `key` when entering
# When exiting, we update the random state at `key` and restore previous random state.
pass
# Usage
random_states = RandomStates({"my_own_random_state": get_current_random_state()})
with branch_random_state(random_states, "my_own_random_state"):
output = nn.Dropout(0.1)(input)
Finally we provide a quick helper in order to get a synchronized random state across a process group.
def get_synced_random_state(random_state: RandomState, pg: ProcessGroup):
# This allows us to get a synchronized random state with other ranks within a single group
# Usage
random_states = RandomStates({"tp_synced_random_state": get_synced_random_state(random_state=get_current_random_state(), group=tp_pg)})
with branch_random_state(random_states, "tp_synced_random_state"):
# Assuming that input is synced across TP, all ranks will apply the same random mask.
output = nn.Dropout(0.1)(input)
We rely on compute nodes having access to a single shared filesystem.
We use safetensors
to store our checkpoints.
Current format:
checkpoint_metadata.json # Stores version, topology, other metadata that would make the training resumable
optimizer
optimizer_config.json # Stores enough information to reinstantiate which optimizer this runs.
optimizer_tp-0-of-1_dp-0-of-1_pp-0-of-2.pt
optimizer_tp-0-of-1_dp-0-of-1_pp-0-of-2.pt
lr_scheduler
lr_scheduler_tp-0-of-1_dp-0-of-1_pp-0-of-2.pt
lr_scheduler_tp-0-of-1_dp-0-of-1_pp-0-of-2.pt
random # Stores random states from each process in order to resume training from the point on.
tp-0-of-1_dp-0-of-1_pp-0-of-2.pt
tp-0-of-1_dp-0-of-1_pp-1-of-2.pt
model
dense1
model_weight.safetensors
model_bias.safetensors
dense2
model_weight.safetensors
model_bias.safetensors
Some observations:
- checkpoints are NOT topology agnostic, this is due to both
random_states
andsharded
tensors. Instead of trying to reconcile those and obtain a topology agnostic one, we want to support acheckpoint_reshape
method. The motivations are the following:- When training, one spends a LOT more time
saving
checkpoints than loading. In doing so, having the fastest saving mechanism helps. Consequently not having any distributed communication/locking will help this. - Random states are not so easily reconcilable. Given random states for two separate processes when we have TP=2, it's not obvious what should be the random state if we set to TP=1.
- When training, one spends a LOT more time
- Optimizer states are aligned with parameters. It's usually the case where for each parameter you can define an optimizer state. But that's a limitation on the current serialization format.
nn.Module
inside PipelineBlocks have to return aDict[str,torch.Tensor]
ortorch.Tensor
.- No conditional flow on top of pipeline, or at least making sure that all the processes within a data parallel rank are performing the same sequence of operations:
- First all but one process will be things on
TensorPointer
which would make input dependent control flow quite hard. - Second if you were to have input dependent control flow, causing two processes within a single data parallel rank to be different, then you might end up with weird communication issues.
- First all but one process will be things on