-
Notifications
You must be signed in to change notification settings - Fork 167
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Implement CenteredClip in averager #379
Draft
borzunov
wants to merge
2
commits into
master
Choose a base branch
from
centered-clip
base: master
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Draft
Changes from all commits
Commits
Show all changes
2 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change | ||||
---|---|---|---|---|---|---|
@@ -0,0 +1,113 @@ | ||||||
import dataclasses | ||||||
from abc import ABC | ||||||
from typing import Callable, Optional | ||||||
|
||||||
import torch | ||||||
|
||||||
|
||||||
class AccumulatorBase(ABC): | ||||||
def accumulate_part(self, tensor: torch.Tensor, weight: float) -> None: | ||||||
... | ||||||
|
||||||
def reduce(self) -> torch.Tensor: | ||||||
... | ||||||
|
||||||
|
||||||
AccumulatorFactory = Callable[[torch.Size, int], AccumulatorBase] | ||||||
|
||||||
|
||||||
class MeanAccumulator(AccumulatorBase): | ||||||
def __init__(self, part_shape: torch.Size, _n_peers: int): | ||||||
self._accumulator = torch.zeros(part_shape) | ||||||
self._denominator = 0.0 | ||||||
|
||||||
def accumulate_part(self, tensor_part: torch.Tensor, weight: float) -> None: | ||||||
self._accumulator.add_(tensor_part, alpha=weight) | ||||||
self._denominator += weight | ||||||
|
||||||
def reduce(self) -> torch.Tensor: | ||||||
return self._accumulator.div_(self._denominator) | ||||||
|
||||||
|
||||||
class CenteredClipAccumulator(AccumulatorBase): | ||||||
def __init__(self, part_shape: torch.Size, n_peers: int, **kwargs): | ||||||
self._kwargs = kwargs | ||||||
|
||||||
self._tensors = torch.empty([n_peers] + part_shape) | ||||||
self._weights = torch.empty(n_peers) | ||||||
self._index = 0 | ||||||
|
||||||
def accumulate_part(self, tensor_part: torch.Tensor, weight: float) -> None: | ||||||
self._tensors[self._index] = tensor_part | ||||||
self._weights[self._index] = weight | ||||||
self._index += 1 | ||||||
|
||||||
def reduce(self) -> torch.Tensor: | ||||||
clipped = centered_clip(self._tensors, self._weights, **self._kwargs) | ||||||
return clipped.result | ||||||
|
||||||
|
||||||
@dataclasses.dataclass(frozen=True) | ||||||
class CenteredClipResult: | ||||||
result: torch.Tensor | ||||||
n_clipped: torch.Tensor | ||||||
last_step_delta: torch.Tensor | ||||||
|
||||||
|
||||||
def centered_clip( | ||||||
input_tensors: torch.Tensor, | ||||||
weights: torch.Tensor, | ||||||
tau: float = 1.0, | ||||||
n_iters: int = 20, | ||||||
stop_delta: Optional[float] = None, | ||||||
) -> CenteredClipResult: | ||||||
""" | ||||||
Optimized implementation of CenteredClip from [Karimireddy, 2021]. | ||||||
Intended to be used in a decentralized fashion as in [Gorbunov, 2021]. | ||||||
|
||||||
:stop_delta: Stop iterations early if the ``L_inf`` norm of the last step is less than ``stop_delta``. | ||||||
Note: if this option is used, the step norm calculations may increase the time per iteration by ~25%. | ||||||
|
||||||
References: | ||||||
|
||||||
[Karimireddy, 2021] Karimireddy, Sai Praneeth, Lie He, and Martin Jaggi. "Learning from history for byzantine | ||||||
robust optimization." International Conference on Machine Learning. PMLR, 2021. | ||||||
|
||||||
[Gorbunov, 2021] Gorbunov, Eduard, Alexander Borzunov, Michael Diskin, and Max Ryabinin. | ||||||
"Secure Distributed Training at Scale." arXiv preprint arXiv:2106.11257 (2021). | ||||||
""" | ||||||
|
||||||
with torch.no_grad(): | ||||||
n_peers = input_tensors.shape[0] | ||||||
result_shape = input_tensors.shape[1:] | ||||||
|
||||||
input_tensors = input_tensors.flatten(start_dim=1) | ||||||
weights /= weights.sum() | ||||||
|
||||||
# This finds medians faster than torch.median() and torch.quantile(q=0.5), | ||||||
# see https://github.com/pytorch/pytorch/issues/51450 | ||||||
sorted_tensors = input_tensors.sort(dim=0).values | ||||||
result = sorted_tensors[n_peers // 2].clone() | ||||||
delta = None | ||||||
|
||||||
diff = torch.sub(input_tensors, result, out=sorted_tensors) # Reuse memory from `sorted_tensors` | ||||||
for _ in range(n_iters): | ||||||
norms = diff.norm(dim=1) | ||||||
coeffs = weights * torch.minimum(torch.tensor(1.0), tau / norms) | ||||||
|
||||||
if stop_delta is not None: | ||||||
result[...] = diff[0] # Reuse memory from `result` | ||||||
prev_diff = result | ||||||
|
||||||
# We only need to update `diff` (not `result`) between iterations | ||||||
diff.addmm_(-coeffs.repeat(n_peers, 1), diff) | ||||||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more.
Suggested change
It seems like |
||||||
|
||||||
if stop_delta is not None: | ||||||
delta = prev_diff.sub_(diff[0]).abs().max() | ||||||
if delta < stop_delta: | ||||||
break | ||||||
torch.sub(input_tensors[0], diff[0], out=result) | ||||||
|
||||||
return CenteredClipResult( | ||||||
result=result.reshape(result_shape), n_clipped=(tau < norms).sum(), last_step_delta=delta | ||||||
) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
preference: let's default to some reasonable delta and a very large n steps