megatron.py 6.54 KB
Newer Older
Rick Ho's avatar
Rick Ho committed
1
2
3
4
5
r'''
The adaptor to seamlessly enable FastMoE in Megatron-LM v2.0 with at most two
lines of modification.
See `examples/megatron` for usage instructions.
'''
Rick Ho's avatar
Rick Ho committed
6
7
8
import math
import numpy as np
import torch
Rick Ho's avatar
Rick Ho committed
9
import torch.nn as nn
Rick Ho's avatar
Rick Ho committed
10
import torch.nn.functional as F
Rick Ho's avatar
Rick Ho committed
11
12
13
14
15

from .transformer import FMoETransformerMLP
from .distributed import DistributedGroupedDataParallel


16
17
18
19
class _FakeMegatronMLP(nn.Module):
    r'''
    A fake mlp without model parallelism for correctness testing
    '''
Rick Ho's avatar
Rick Ho committed
20
    def __init__(self, args, _):
Rick Ho's avatar
Rick Ho committed
21
22
23
24
        super().__init__()
        self.fc1 = nn.Linear(args.hidden_size, args.hidden_hidden_size)
        self.fc2 = nn.Linear(args.hidden_hidden_size, args.hidden_size)
    def forward(self, x):
Rick Ho's avatar
Rick Ho committed
25
26
27
        r'''
        Directly use GeLU
        '''
Rick Ho's avatar
Rick Ho committed
28
29
30
31
32
        x = self.fc1(x)
        x = F.gelu(x)
        x = self.fc2(x)
        return x, torch.zeros_like(x)

33
def _megatron_init_method(self, rng, sigma):
34
35
36
37
38
39
40
41
42
43
44
45
46
    r'''
    Init method based on N(0, sigma).
    Copied from Megatron-LM
    '''
    device = self.weight.device
    dtype = self.weight.dtype
    weight = rng.normal(loc=0.0, scale=sigma, size=tuple(self.weight.size()))
    self.weight.data = torch.tensor(weight, dtype=dtype, device=device)

    if self.bias is not None:
        # Always initialize bias to zero.
        with torch.no_grad():
            self.bias.zero_()
Rick Ho's avatar
Rick Ho committed
47

Rick Ho's avatar
Rick Ho committed
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
def _random_init_weight(self, rng):
    r'''
    Copied from torch.nn.init.kaiming_uniform_
    '''
    fan = nn.init._calculate_correct_fan(self.weight[0], 'fan_in')
    gain = nn.init.calculate_gain('leaky_relu', math.sqrt(5))
    std = gain / math.sqrt(fan)
    bound = math.sqrt(3.0) * std
    device = self.weight.device
    dtype = self.weight.dtype
    weight = rng.uniform(-bound, bound, size=tuple(self.weight.size()))
    self.weight.data = torch.tensor(weight, dtype=dtype, device=device)

    if self.bias is not None:
        fan_in, _ = nn.init._calculate_fan_in_and_fan_out(self.weight[0])
        bound = 1 / math.sqrt(fan_in)
        bias = rng.uniform(-bound, bound, size=tuple(self.bias.size()))
        self.bias.data = torch.tensor(bias, dtype=dtype, device=device)


Rick Ho's avatar
Rick Ho committed
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
class MegatronMLP(FMoETransformerMLP):
    r'''
    Make the FMoETransformerMLP layer that distributes experts across
    communication group `group` to replace the original MLP layer in Megatron.
    '''
    def __init__(self, args, group):
        assert (args.seq_length * args.micro_batch_size
                % args.tensor_model_parallel_size == 0
        ), "Batch size x sequence length should be multiple of mp size"
        if not args.distributed_experts:
            world_size = 1
        else:
            world_size = args.world_size
        super().__init__(args.num_experts,
                top_k=args.top_k,
                d_model=args.hidden_size, d_hidden=args.hidden_hidden_size,
                world_size=world_size, mp_group=group,
                expert_dp_comm='none' if args.distributed_experts else 'dp')
        self.hidden_size = args.hidden_size
Rick Ho's avatar
Rick Ho committed
87
88
89
90
        if args.distributed_experts:
            self.rank = args.rank
        else:
            self.rank = 0
91
92
        self.sigma = args.init_method_std
        self.num_layers = args.num_layers
Rick Ho's avatar
Rick Ho committed
93
94
95
96
97
98
        self.reset_parameters()

    def reset_parameters(self):
        r'''
        Initialize the weight as linear layers.
        As megatron is using fixed random seed for some nasty stuff, an
Rick Ho's avatar
Rick Ho committed
99
        additional numpy rng is used.
Rick Ho's avatar
Rick Ho committed
100
101
        '''
        rng = np.random.default_rng(np.random.randint(2048) + self.rank)
102
        _megatron_init_method(self.experts.htoh4, rng, self.sigma)
103
        std = self.sigma / math.sqrt(2.0 * self.num_layers)
104
        _megatron_init_method(self.experts.h4toh, rng, std)
Rick Ho's avatar
Rick Ho committed
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127

    def forward(self, inp):
        return super().forward(inp), torch.zeros(self.hidden_size,
                dtype=inp.dtype, device=inp.device)


def fmoefy(model, num_experts=None, distributed_experts=True,
        hidden_hidden_size=None, top_k=None):
    r'''
    Replace MLP layers in a transformer-based model in Megatron by MoE.
    * `model` should be a standard Megatron model that has
    `model.language_model.transformer.layers` as transformer layers, which is an
    array of transformer blocks that contain an `mlp` member.
    * `distributed_expert` is set to True if different experts are located in
    different workers. Otherwise, the experts on the workers are identical, and
    they are trained in data-parallel mode. This can be useful when testing on
    small models that do not require high training throughput or large parameter
    capacity.
    Note that pipeline parallel is not supported yet. When distributed experts
    are enabled, their communicator should be Megatron's
    tensor_model_parall_comm x data_parallel_comm, which is not created.
    '''
    from megatron import get_args
Rick Ho's avatar
Rick Ho committed
128
    from megatron import mpu
Rick Ho's avatar
Rick Ho committed
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
    args = get_args()
    if num_experts is not None:
        args.num_experts = num_experts
    assert (
        'num_experts' in args
    ), 'num_experts should be specified in arguments or fmoefy function'

    if hidden_hidden_size is not None:
        args.hidden_hidden_size = hidden_hidden_size
    elif not hasattr(args, 'hidden_hidden_size'):
        args.hidden_hidden_size = args.hidden_size * 4

    if top_k is not None:
        args.top_k = top_k
    elif not hasattr(args, 'top_k'):
        args.top_k = 2

    # Set distributed_experts to None to use default setting in args
    if distributed_experts is not None:
        args.distributed_experts = distributed_experts

    for l in model.language_model.transformer.layers:
Rick Ho's avatar
Rick Ho committed
151
        l.mlp = MegatronMLP(args, mpu.get_model_parallel_group())
Rick Ho's avatar
Rick Ho committed
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
    return model


class DistributedDataParallel(DistributedGroupedDataParallel):
    r'''
    A wrapper that is used to replace the DDP module provided by Megatron, which
    is adapted to enable the sophiscated parallel and reduction strategies in
    Fast MoE.
    '''
    def __init__(self, module):
        from megatron import mpu
        super().__init__(
            module,
            mp_group=mpu.get_model_parallel_group(),
            dp_group=mpu.get_data_parallel_group()
        )

    def state_dict(self, *args, **kwargs):
        r'''
        Keep consitency with Megatron
        '''
        return self.module.state_dict(*args, **kwargs)

    def state_dict_for_save_checkpoint(self, *args, **kwargs):
        r'''
        Keep consitency with Megatron
        '''
        return self.module.state_dict_for_save_checkpoint(*args, **kwargs)

    def load_state_dict(self, *args, **kwargs):
        r'''
        Keep consitency with Megatron
        '''
        return self.module.load_state_dict(*args, **kwargs)