mirror of
https://github.com/pytorch/pytorch.git
synced 2025-10-20 21:14:14 +08:00
Summary: Pull Request resolved: https://github.com/pytorch/pytorch/pull/18953 This removes Python side bucketing code from DistributedDataParallel and replaces it with calls to the new C++ based bucketing and reducing code. To confirm this is working well, we ran a test with both the previous implementation and the new implementation, and confirmed they are numerically equivalent. Performance is improved by a couple percent or more, including the single machine multiple GPU runs. Closes #13273. Reviewed By: mrshenli Differential Revision: D14580911 fbshipit-source-id: 44e76f8b0b7e58dd6c91644e3df4660ca2ee4ae2
392 lines
18 KiB
Python
392 lines
18 KiB
Python
import copy
|
|
|
|
import torch
|
|
|
|
from torch.cuda.comm import broadcast_coalesced
|
|
import torch.distributed as dist
|
|
|
|
if dist.is_available():
|
|
from torch.distributed.distributed_c10d import _get_default_group
|
|
|
|
from ..modules import Module
|
|
from .replicate import replicate
|
|
from .scatter_gather import scatter_kwargs, gather
|
|
from .parallel_apply import parallel_apply
|
|
from torch.cuda._utils import _get_device_index
|
|
|
|
|
|
class DistributedDataParallel(Module):
|
|
r"""Implements distributed data parallelism that is based on
|
|
``torch.distributed`` package at the module level.
|
|
|
|
This container parallelizes the application of the given module by
|
|
splitting the input across the specified devices by chunking in the batch
|
|
dimension. The module is replicated on each machine and each device, and
|
|
each such replica handles a portion of the input. During the backwards
|
|
pass, gradients from each node are averaged.
|
|
|
|
The batch size should be larger than the number of GPUs used locally.
|
|
|
|
See also: :ref:`distributed-basics` and :ref:`cuda-nn-dataparallel-instead`.
|
|
The same constraints on input as in :class:`torch.nn.DataParallel` apply.
|
|
|
|
Creation of this class requires that ``torch.distributed`` to be already
|
|
initialized, by calling :func:`torch.distributed.init_process_group`.
|
|
|
|
``DistributedDataParallel`` can be used in the following two ways:
|
|
|
|
(1) Single-Process Multi-GPU
|
|
|
|
In this case, a single process will be
|
|
spawned on each host/node and each process will operate on all the GPUs
|
|
of the node where it's running. To use ``DistributedDataParallel`` in
|
|
this way, you can simply construct the model as the following:
|
|
|
|
>>> torch.distributed.init_process_group(backend="nccl")
|
|
>>> model = DistributedDataParallel(model) # device_ids will include all GPU devices by default
|
|
|
|
(2) Multi-Process Single-GPU
|
|
|
|
This is the highly recommended way to use ``DistributedDataParallel``, with
|
|
multiple processes, each of which operates on a single GPU. This is
|
|
currently the fastest approach to do data parallel training using PyTorch
|
|
and applies to both single-node(multi-GPU) and multi-node data
|
|
parallel training. It is proven to be significantly faster than
|
|
:class:`torch.nn.DataParallel` for single-node multi-GPU data
|
|
parallel training.
|
|
|
|
Here is how to use it: on each host with N GPUs, you should spawn up N
|
|
processes, while ensuring that each process individually works on a single GPU
|
|
from 0 to N-1. Therefore, it is your job to ensure that your training script
|
|
operates on a single given GPU by calling:
|
|
|
|
>>> torch.cuda.set_device(i)
|
|
|
|
where i is from 0 to N-1. In each process, you should refer the following
|
|
to construct this module:
|
|
|
|
>>> torch.distributed.init_process_group(backend='nccl', world_size=4, init_method='...')
|
|
>>> model = DistributedDataParallel(model, device_ids=[i], output_device=i)
|
|
|
|
In order to spawn up multiple processes per node, you can use either
|
|
``torch.distributed.launch`` or ``torch.multiprocessing.spawn``
|
|
|
|
.. note:: ``nccl`` backend is currently the fastest and
|
|
highly recommended backend to be used with Multi-Process Single-GPU
|
|
distributed training and this applies to both single-node and multi-node
|
|
distributed training
|
|
|
|
.. note:: This module also supports mixed-precision distributed training.
|
|
This means that your model can have different types of parameters such
|
|
as mixed types of fp16 and fp32, the gradient reduction on these
|
|
mixed types of parameters will just work fine.
|
|
Also note that ``nccl`` backend is currently the fastest and highly
|
|
recommended backend for fp16/fp32 mixed-precision training.
|
|
|
|
.. note:: If you use ``torch.save`` on one process to checkpoint the module,
|
|
and ``torch.load`` on some other processes to recover it, make sure that
|
|
``map_location`` is configured properly for every process. Without
|
|
``map_location``, ``torch.load`` would recover the module to devices
|
|
where the module was saved from.
|
|
|
|
.. warning::
|
|
This module works only with the ``gloo`` and ``nccl`` backends.
|
|
|
|
.. warning::
|
|
Constructor, forward method, and differentiation of the output (or a
|
|
function of the output of this module) is a distributed synchronization
|
|
point. Take that into account in case different processes might be
|
|
executing different code.
|
|
|
|
.. warning::
|
|
This module assumes all parameters are registered in the model by the
|
|
time it is created. No parameters should be added nor removed later.
|
|
Same applies to buffers.
|
|
|
|
.. warning::
|
|
This module assumes all parameters are registered in the model of each
|
|
distributed processes are in the same order. The module itself will
|
|
conduct gradient all-reduction following the reverse order of the
|
|
registered parameters of the model. In other words, it is users'
|
|
responsibility to ensure that each distributed process has the exact
|
|
same model and thus the exact same parameter registration order.
|
|
|
|
.. warning::
|
|
This module assumes all buffers and gradients are dense.
|
|
|
|
.. warning::
|
|
This module doesn't work with :func:`torch.autograd.grad` (i.e. it will
|
|
only work if gradients are to be accumulated in ``.grad`` attributes of
|
|
parameters).
|
|
|
|
.. warning::
|
|
|
|
If you plan on using this module with a ``nccl`` backend or a ``gloo``
|
|
backend (that uses Infiniband), together with a DataLoader that uses
|
|
multiple workers, please change the multiprocessing start method to
|
|
``forkserver`` (Python 3 only) or ``spawn``. Unfortunately
|
|
Gloo (that uses Infiniband) and NCCL2 are not fork safe, and you will
|
|
likely experience deadlocks if you don't change this setting.
|
|
|
|
.. warning::
|
|
Forward and backward hooks defined on :attr:`module` and its submodules
|
|
won't be invoked anymore, unless the hooks are initialized in the
|
|
:meth:`forward` method.
|
|
|
|
.. warning::
|
|
You should never try to change your model's parameters after wrapping
|
|
up your model with DistributedDataParallel. In other words, when
|
|
wrapping up your model with DistributedDataParallel, the constructor of
|
|
DistributedDataParallel will register the additional gradient
|
|
reduction functions on all the parameters of the model itself at the
|
|
time of construction. If you change the model's parameters after
|
|
the DistributedDataParallel construction, this is not supported and
|
|
unexpected behaviors can happen, since some parameters' gradient
|
|
reduction functions might not get called.
|
|
|
|
.. note::
|
|
Parameters are never broadcast between processes. The module performs
|
|
an all-reduce step on gradients and assumes that they will be modified
|
|
by the optimizer in all processes in the same way. Buffers
|
|
(e.g. BatchNorm stats) are broadcast from the module in process of rank
|
|
0, to all other replicas in the system in every iteration.
|
|
|
|
Args:
|
|
module (Module): module to be parallelized
|
|
device_ids (list of int or torch.device): CUDA devices (default: all devices)
|
|
output_device (int or torch.device): device location of output (default: device_ids[0])
|
|
broadcast_buffers (bool): flag that enables syncing (broadcasting) buffers of
|
|
the module at beginning of the forward function.
|
|
(default: ``True``)
|
|
process_group: the process group to be used for distributed data
|
|
all-reduction. If ``None``, the default process group, which
|
|
is created by ```torch.distributed.init_process_group```,
|
|
will be used. (default: ``None``)
|
|
bucket_cap_mb: DistributedDataParallel will bucket parameters into
|
|
multiple buckets so that gradient reduction of each
|
|
bucket can potentially overlap with backward computation.
|
|
:attr:`bucket_cap_mb` controls the bucket size in MegaBytes (MB)
|
|
(default: 25)
|
|
check_reduction: when setting to ``True``, it enables DistributedDataParallel
|
|
to automatically check if the previous iteration's
|
|
backward reductions were successfully issued at the
|
|
beginning of every iteration's forward function.
|
|
You normally don't need this option enabled unless you
|
|
are observing weird behaviors such as different ranks
|
|
are getting different gradients, which should not
|
|
happen if DistributedDataParallel is correctly used.
|
|
(default: ``False``)
|
|
|
|
Attributes:
|
|
module (Module): the module to be parallelized
|
|
|
|
Example::
|
|
|
|
>>> torch.distributed.init_process_group(backend='nccl', world_size=4, init_method='...')
|
|
>>> net = torch.nn.DistributedDataParallel(model, pg)
|
|
"""
|
|
def __init__(self, module, device_ids=None,
|
|
output_device=None, dim=0, broadcast_buffers=True,
|
|
process_group=None, bucket_cap_mb=25,
|
|
check_reduction=False):
|
|
|
|
super(DistributedDataParallel, self).__init__()
|
|
|
|
# Use all devices by default
|
|
if device_ids is None:
|
|
device_ids = list(range(torch.cuda.device_count()))
|
|
|
|
if output_device is None:
|
|
output_device = device_ids[0]
|
|
|
|
if process_group is None:
|
|
self.process_group = _get_default_group()
|
|
else:
|
|
self.process_group = process_group
|
|
|
|
self.dim = dim
|
|
self.module = module
|
|
self.device_ids = list(map(lambda x: _get_device_index(x, True), device_ids))
|
|
self.output_device = _get_device_index(output_device, True)
|
|
self.broadcast_buffers = broadcast_buffers
|
|
if check_reduction:
|
|
# This argument is no longer used since the reducer
|
|
# will ensure reduction completes even if some parameters
|
|
# do not receive gradients.
|
|
pass
|
|
|
|
MB = 1024 * 1024
|
|
|
|
# used for intra-node param sync and inter-node sync as well
|
|
self.broadcast_bucket_size = int(250 * MB)
|
|
|
|
# reduction bucket size
|
|
self.bucket_bytes_cap = int(bucket_cap_mb * MB)
|
|
|
|
# Sync params and buffers
|
|
module_states = list(self.module.state_dict().values())
|
|
if len(module_states) > 0:
|
|
self._dist_broadcast_coalesced(module_states,
|
|
self.broadcast_bucket_size)
|
|
|
|
self._ddp_init_helper()
|
|
|
|
def _ddp_init_helper(self):
|
|
"""
|
|
Initialization helper function that does the following:
|
|
|
|
(1) replicating the module from device[0] to the other devices
|
|
(2) bucketing the parameters for reductions
|
|
(3) resetting the bucketing states
|
|
(4) registering the grad hooks
|
|
(5) passing a handle of DDP to SyncBatchNorm Layer
|
|
"""
|
|
if len(self.device_ids) > 1:
|
|
# TODO: we don't need to replicate params in here. they're always going to
|
|
# be broadcasted using larger blocks in broadcast_coalesced, so it might be
|
|
# better to not pollute the caches with these small blocks
|
|
self._module_copies = replicate(self.module, self.device_ids, detach=True)
|
|
self._module_copies[0] = self.module
|
|
|
|
for module_copy in self._module_copies[1:]:
|
|
for param, copy_param in zip(self.module.parameters(), module_copy.parameters()):
|
|
copy_param.requires_grad = param.requires_grad
|
|
|
|
else:
|
|
self._module_copies = [self.module]
|
|
|
|
self.modules_params = [list(m.parameters()) for m in self._module_copies]
|
|
self.modules_buffers = [list(m.buffers()) for m in self._module_copies]
|
|
|
|
param_list = [
|
|
list(filter(lambda p: p.requires_grad, module.parameters()))
|
|
for module in self._module_copies]
|
|
|
|
# The bucket size limit is specified in the constructor.
|
|
# Additionally, we allow for a single small bucket for parameters
|
|
# that are defined first, such that their gradients don't spill into
|
|
# a much larger bucket, adding unnecessary latency after gradient
|
|
# computation finishes. Experiments showed 1MB is a reasonable value.
|
|
bucket_indices = dist._compute_bucket_assignment_by_size(
|
|
param_list[0],
|
|
[1024 * 1024, self.bucket_bytes_cap])
|
|
|
|
# Note: reverse list of buckets because we want to approximate the
|
|
# order in which their gradients are produced, and assume they
|
|
# are used in the forward pass in the order they are defined.
|
|
self.reducer = dist.Reducer(
|
|
param_list,
|
|
list(reversed(bucket_indices)),
|
|
self.process_group)
|
|
|
|
# passing a handle to torch.nn.SyncBatchNorm layer
|
|
self._passing_sync_batchnorm_handle(self._module_copies)
|
|
|
|
def __getstate__(self):
|
|
self._check_default_group()
|
|
attrs = copy.copy(self.__dict__)
|
|
del attrs['process_group']
|
|
del attrs['reducer']
|
|
return attrs
|
|
|
|
def __setstate__(self, state):
|
|
# If serializable, then the process group should be the default one
|
|
self.process_group = _get_default_group()
|
|
super(DistributedDataParallel, self).__setstate__(state)
|
|
self._ddp_init_helper()
|
|
|
|
def _check_default_group(self):
|
|
pickle_not_supported = False
|
|
try:
|
|
if self.process_group != _get_default_group():
|
|
pickle_not_supported = True
|
|
except RuntimeError:
|
|
pickle_not_supported = True
|
|
|
|
if pickle_not_supported:
|
|
raise RuntimeError("DDP Pickling/Unpickling are only supported "
|
|
"when using DDP with the default process "
|
|
"group. That is, when you have called "
|
|
"init_process_group and have not passed "
|
|
"process_group argument to DDP constructor")
|
|
|
|
def forward(self, *inputs, **kwargs):
|
|
inputs, kwargs = self.scatter(inputs, kwargs, self.device_ids)
|
|
self._sync_params()
|
|
if len(self.device_ids) == 1:
|
|
output = self.module(*inputs[0], **kwargs[0])
|
|
else:
|
|
outputs = self.parallel_apply(self._module_copies[:len(inputs)], inputs, kwargs)
|
|
output = self.gather(outputs, self.output_device)
|
|
|
|
# We'll return the output object verbatim since it is a freeform object.
|
|
# We need to find any tensors in this object, though, because we need to
|
|
# figure out which parameters were used during this forward pass,
|
|
# to ensure we short circuit reduction for any unused parameters.
|
|
output_tensors = []
|
|
if isinstance(output, torch.Tensor):
|
|
output_tensors = [output]
|
|
if isinstance(output, (list, tuple)):
|
|
def istensor(obj):
|
|
return isinstance(obj, torch.Tensor)
|
|
output_tensors = list(filter(istensor, output))
|
|
self.reducer.prepare_for_backward(output_tensors)
|
|
return output
|
|
|
|
def scatter(self, inputs, kwargs, device_ids):
|
|
return scatter_kwargs(inputs, kwargs, device_ids, dim=self.dim)
|
|
|
|
def parallel_apply(self, replicas, inputs, kwargs):
|
|
return parallel_apply(replicas, inputs, kwargs, self.device_ids[:len(replicas)])
|
|
|
|
def gather(self, outputs, output_device):
|
|
return gather(outputs, output_device, dim=self.dim)
|
|
|
|
def train(self, mode=True):
|
|
super(DistributedDataParallel, self).train(mode)
|
|
for module in self._module_copies[1:]:
|
|
module.train(mode)
|
|
|
|
def _dist_broadcast_coalesced(self, tensors, buffer_size):
|
|
dist._dist_broadcast_coalesced(self.process_group, tensors, buffer_size, False)
|
|
|
|
def _sync_params(self):
|
|
with torch.no_grad():
|
|
if len(self.device_ids) > 1:
|
|
# intra-node parameter sync
|
|
result = broadcast_coalesced(self.modules_params[0],
|
|
self.device_ids,
|
|
self.broadcast_bucket_size)
|
|
for tensors, module_params in zip(result[1:],
|
|
self.modules_params[1:]):
|
|
for tensor, param in zip(tensors, module_params):
|
|
param.set_(tensor)
|
|
# Assume we have just run the optimizer and zeroed the
|
|
# grads of the parameters on the root model. We need
|
|
# to zero the grads on all model replicas as well.
|
|
# This snippet is copied from torch.optim.Optimizer.
|
|
if param.grad is not None:
|
|
param.grad.detach_()
|
|
param.grad.zero_()
|
|
|
|
# module buffer sync
|
|
if self.broadcast_buffers and len(self.modules_buffers[0]) > 0:
|
|
# cross-node buffer sync
|
|
self._dist_broadcast_coalesced(self.modules_buffers[0],
|
|
self.broadcast_bucket_size)
|
|
if len(self.device_ids) > 1:
|
|
# intra-node buffer sync
|
|
result = broadcast_coalesced(self.modules_buffers[0],
|
|
self.device_ids,
|
|
self.broadcast_bucket_size)
|
|
for tensors, module_buffers in zip(result[1:],
|
|
self.modules_buffers[1:]):
|
|
for tensor, buffer in zip(tensors, module_buffers):
|
|
buffer.set_(tensor)
|
|
|
|
def _passing_sync_batchnorm_handle(self, module_copies):
|
|
for dev_idx, module in enumerate(module_copies):
|
|
for layer in module.modules():
|
|
if isinstance(layer, torch.nn.modules.SyncBatchNorm):
|
|
layer._specify_ddp_gpu_num(len(self.device_ids))
|