qubing commited on
Commit
6580a6f
1 Parent(s): 5c94081

Upload 22 files

Browse files
config.json ADDED
@@ -0,0 +1,28 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ {
2
+ "_from_model_config": true,
3
+ "_name_or_path": "/data1/zl/models/baichuan13B-Base",
4
+ "architectures": [
5
+ "BaichuanForCausalLM"
6
+ ],
7
+ "auto_map": {
8
+ "AutoConfig": "configuration_baichuan.BaichuanConfig",
9
+ "AutoModelForCausalLM": "modeling_baichuan.BaichuanForCausalLM"
10
+ },
11
+ "bos_token_id": 1,
12
+ "eos_token_id": 2,
13
+ "hidden_act": "silu",
14
+ "hidden_size": 5120,
15
+ "initializer_range": 0.02,
16
+ "intermediate_size": 13696,
17
+ "model_max_length": 4096,
18
+ "model_type": "baichuan",
19
+ "num_attention_heads": 40,
20
+ "num_hidden_layers": 40,
21
+ "pad_token_id": 0,
22
+ "rms_norm_eps": 1e-06,
23
+ "tie_word_embeddings": false,
24
+ "torch_dtype": "float16",
25
+ "transformers_version": "4.31.0",
26
+ "use_cache": true,
27
+ "vocab_size": 64000
28
+ }
configuration_baichuan.py ADDED
@@ -0,0 +1,46 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Copyright (c) 2023, Baichuan Intelligent Technology. All rights reserved.
2
+
3
+ from transformers.configuration_utils import PretrainedConfig
4
+
5
+ class BaichuanConfig(PretrainedConfig):
6
+ model_type = "baichuan"
7
+ keys_to_ignore_at_inference = ["past_key_values"]
8
+
9
+ def __init__(
10
+ self,
11
+ vocab_size=64000,
12
+ hidden_size=5120,
13
+ intermediate_size=13696,
14
+ num_hidden_layers=40,
15
+ num_attention_heads=40,
16
+ hidden_act="silu",
17
+ model_max_length=4096,
18
+ initializer_range=0.02,
19
+ rms_norm_eps=1e-6,
20
+ use_cache=True,
21
+ pad_token_id=0,
22
+ bos_token_id=1,
23
+ eos_token_id=2,
24
+ tie_word_embeddings=False,
25
+ gradient_checkpointing=False,
26
+ **kwargs,
27
+ ):
28
+ self.vocab_size = vocab_size
29
+ self.model_max_length = model_max_length
30
+ self.hidden_size = hidden_size
31
+ self.intermediate_size = intermediate_size
32
+ self.num_hidden_layers = num_hidden_layers
33
+ self.num_attention_heads = num_attention_heads
34
+ self.hidden_act = hidden_act
35
+ self.initializer_range = initializer_range
36
+ self.rms_norm_eps = rms_norm_eps
37
+ self.use_cache = use_cache
38
+ self.gradient_checkpointing = gradient_checkpointing,
39
+ super().__init__(
40
+ pad_token_id=pad_token_id,
41
+ bos_token_id=bos_token_id,
42
+ eos_token_id=eos_token_id,
43
+ tie_word_embeddings=tie_word_embeddings,
44
+ **kwargs,
45
+ )
46
+
generation_config.json ADDED
@@ -0,0 +1,7 @@
 
 
 
 
 
 
 
 
1
+ {
2
+ "_from_model_config": true,
3
+ "bos_token_id": 1,
4
+ "eos_token_id": 2,
5
+ "pad_token_id": 0,
6
+ "transformers_version": "4.31.0"
7
+ }
latest ADDED
@@ -0,0 +1 @@
 
 
1
+ global_step73
modeling_baichuan.py ADDED
@@ -0,0 +1,536 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Copyright (c) 2023, Baichuan Intelligent Technology. All rights reserved.
2
+
3
+ import math
4
+ from typing import List, Optional, Tuple, Union
5
+
6
+ import torch
7
+ import torch.utils.checkpoint
8
+ from torch.nn import CrossEntropyLoss
9
+ from transformers import PreTrainedModel
10
+ from transformers.activations import ACT2FN
11
+ from transformers.modeling_outputs import BaseModelOutputWithPast, CausalLMOutputWithPast
12
+ from transformers.utils import logging
13
+ from transformers.generation.utils import GenerationConfig
14
+
15
+ from .configuration_baichuan import BaichuanConfig
16
+
17
+ logger = logging.get_logger(__name__)
18
+
19
+ def _get_interleave(n):
20
+ def _get_interleave_power_of_2(n):
21
+ start = (2 ** (-2 ** -(math.log2(n) - 3)))
22
+ ratio = start
23
+ return [start * ratio ** i for i in range(n)]
24
+
25
+ if math.log2(n).is_integer():
26
+ return _get_interleave_power_of_2(n)
27
+ else:
28
+ closest_power_of_2 = 2 ** math.floor(math.log2(n))
29
+ return _get_interleave_power_of_2(closest_power_of_2) + \
30
+ _get_interleave(2 * closest_power_of_2)[0::2][:n - closest_power_of_2]
31
+
32
+ def _fill_with_neg_inf(t):
33
+ """FP16-compatible function that fills a tensor with -inf."""
34
+ return t.float().fill_(float("-inf")).type_as(t)
35
+
36
+ def _gen_alibi_mask(n_head, max_pos):
37
+ slopes = torch.Tensor(_get_interleave(n_head))
38
+ alibi = slopes.unsqueeze(1).unsqueeze(1) * torch.arange(max_pos).unsqueeze(0).unsqueeze(0).expand(
39
+ n_head, -1, -1)
40
+ alibi = alibi.view(n_head, 1, max_pos)
41
+ alibi_mask = torch.triu(
42
+ _fill_with_neg_inf(torch.zeros([max_pos, max_pos])), 1
43
+ )
44
+ alibi_mask = alibi_mask.unsqueeze(0) + alibi
45
+ return alibi_mask
46
+
47
+
48
+ class RMSNorm(torch.nn.Module):
49
+ def __init__(self, hidden_size, epsilon=1e-6):
50
+ super().__init__()
51
+ self.weight = torch.nn.Parameter(torch.empty(hidden_size))
52
+ self.epsilon = epsilon
53
+
54
+ def forward(self, hidden_states):
55
+ variance = hidden_states.to(torch.float32).pow(2).mean(-1, keepdim=True)
56
+ hidden_states = hidden_states * torch.rsqrt(variance + self.epsilon)
57
+
58
+ # convert into half-precision
59
+ if self.weight.dtype in [torch.float16, torch.bfloat16]:
60
+ hidden_states = hidden_states.to(self.weight.dtype)
61
+
62
+ return self.weight * hidden_states
63
+
64
+
65
+ class MLP(torch.nn.Module):
66
+ def __init__(
67
+ self,
68
+ hidden_size: int,
69
+ intermediate_size: int,
70
+ hidden_act: str,
71
+ ):
72
+ super().__init__()
73
+ self.gate_proj = torch.nn.Linear(hidden_size, intermediate_size, bias=False)
74
+ self.down_proj = torch.nn.Linear(intermediate_size, hidden_size, bias=False)
75
+ self.up_proj = torch.nn.Linear(hidden_size, intermediate_size, bias=False)
76
+ self.act_fn = ACT2FN[hidden_act]
77
+
78
+ def forward(self, x):
79
+ return self.down_proj(self.act_fn(self.gate_proj(x)) * self.up_proj(x))
80
+
81
+
82
+ class BaichuanAttention(torch.nn.Module):
83
+
84
+ def __init__(self, config: BaichuanConfig):
85
+ super().__init__()
86
+ self.config = config
87
+ self.hidden_size = config.hidden_size
88
+ self.num_heads = config.num_attention_heads
89
+ self.head_dim = self.hidden_size // self.num_heads
90
+ self.max_position_embeddings = config.model_max_length
91
+
92
+ if (self.head_dim * self.num_heads) != self.hidden_size:
93
+ raise ValueError(
94
+ f"hidden_size {self.hidden_size} is not divisible by num_heads {self.num_heads}"
95
+ )
96
+ self.W_pack = torch.nn.Linear(self.hidden_size, 3 * self.hidden_size, bias=False)
97
+ self.o_proj = torch.nn.Linear(self.num_heads * self.head_dim, self.hidden_size, bias=False)
98
+
99
+ def _shape(self, tensor: torch.Tensor, seq_len: int, bsz: int):
100
+ return tensor.view(bsz, seq_len, self.num_heads, self.head_dim).transpose(1, 2).contiguous()
101
+
102
+ def forward(
103
+ self,
104
+ hidden_states: torch.Tensor,
105
+ attention_mask: Optional[torch.Tensor] = None,
106
+ past_key_value: Optional[Tuple[torch.Tensor]] = None,
107
+ output_attentions: bool = False,
108
+ use_cache: bool = False,
109
+ ) -> Tuple[torch.Tensor, Optional[torch.Tensor], Optional[Tuple[torch.Tensor]]]:
110
+
111
+ bsz, q_len, _ = hidden_states.size()
112
+
113
+ proj = self.W_pack(hidden_states)
114
+ proj = proj.unflatten(-1, (3, self.hidden_size)).unsqueeze(0).transpose(0, -2).squeeze(-2)
115
+ query_states = proj[0].view(bsz, q_len, self.num_heads, self.head_dim).transpose(1, 2)
116
+ key_states = proj[1].view(bsz, q_len, self.num_heads, self.head_dim).transpose(1, 2)
117
+ value_states = proj[2].view(bsz, q_len, self.num_heads, self.head_dim).transpose(1, 2)
118
+
119
+ kv_seq_len = key_states.shape[-2]
120
+ if past_key_value is not None:
121
+ kv_seq_len += past_key_value[0].shape[-2]
122
+
123
+ if past_key_value is not None:
124
+ # reuse k, v, self_attention
125
+ key_states = torch.cat([past_key_value[0], key_states], dim=2)
126
+ value_states = torch.cat([past_key_value[1], value_states], dim=2)
127
+
128
+ past_key_value = (key_states, value_states) if use_cache else None
129
+
130
+ attn_weights = torch.matmul(query_states, key_states.transpose(2, 3)) / math.sqrt(self.head_dim)
131
+
132
+ if attention_mask is not None:
133
+ if attn_weights.size(-2) == 1:
134
+ attention_mask = attention_mask[:, -1:, :]
135
+ attn_weights = attn_weights + attention_mask.unsqueeze(0)
136
+ attn_weights = torch.max(attn_weights, torch.tensor(torch.finfo(attn_weights.dtype).min))
137
+
138
+ attn_weights = torch.nn.functional.softmax(attn_weights, dim=-1)
139
+ attn_output = torch.matmul(attn_weights, value_states)
140
+
141
+ attn_output = attn_output.transpose(1, 2)
142
+ attn_output = attn_output.reshape(bsz, q_len, self.hidden_size)
143
+ attn_output = self.o_proj(attn_output)
144
+
145
+ if not output_attentions:
146
+ attn_weights = None
147
+
148
+ return attn_output, attn_weights, past_key_value
149
+
150
+
151
+ class BaichuanLayer(torch.nn.Module):
152
+ def __init__(self, config: BaichuanConfig):
153
+ super().__init__()
154
+ self.hidden_size = config.hidden_size
155
+ self.self_attn = BaichuanAttention(config=config)
156
+ self.mlp = MLP(
157
+ hidden_size=self.hidden_size,
158
+ intermediate_size=config.intermediate_size,
159
+ hidden_act=config.hidden_act,
160
+ )
161
+ self.input_layernorm = RMSNorm(config.hidden_size, epsilon=config.rms_norm_eps)
162
+ self.post_attention_layernorm = RMSNorm(config.hidden_size, epsilon=config.rms_norm_eps)
163
+
164
+ def forward(
165
+ self,
166
+ hidden_states: torch.Tensor,
167
+ attention_mask: Optional[torch.Tensor] = None,
168
+ past_key_value: Optional[Tuple[torch.Tensor]] = None,
169
+ output_attentions: Optional[bool] = False,
170
+ use_cache: Optional[bool] = False,
171
+ ) -> Tuple[torch.FloatTensor, Optional[Tuple[torch.FloatTensor, torch.FloatTensor]]]:
172
+
173
+ residual = hidden_states
174
+
175
+ hidden_states = self.input_layernorm(hidden_states)
176
+
177
+ # Self Attention
178
+ hidden_states, self_attn_weights, present_key_value = self.self_attn(
179
+ hidden_states=hidden_states,
180
+ attention_mask=attention_mask,
181
+ past_key_value=past_key_value,
182
+ output_attentions=output_attentions,
183
+ use_cache=use_cache,
184
+ )
185
+ hidden_states = residual + hidden_states
186
+
187
+ # Fully Connected
188
+ residual = hidden_states
189
+ hidden_states = self.post_attention_layernorm(hidden_states)
190
+ hidden_states = self.mlp(hidden_states)
191
+ hidden_states = residual + hidden_states
192
+
193
+ outputs = (hidden_states,)
194
+
195
+ if use_cache:
196
+ outputs += (present_key_value,)
197
+
198
+ return outputs
199
+
200
+
201
+ class BaichuanPreTrainedModel(PreTrainedModel):
202
+ config_class = BaichuanConfig
203
+ base_model_prefix = "model"
204
+ supports_gradient_checkpointing = True
205
+ _no_split_modules = ["BaichuanLayer"]
206
+ _keys_to_ignore_on_load_unexpected = [r"decoder\.version"]
207
+
208
+ def _init_weights(self, module):
209
+ std = self.config.initializer_range
210
+ if isinstance(module, torch.nn.Linear):
211
+ module.weight.data.normal_(mean=0.0, std=std)
212
+ if module.bias is not None:
213
+ module.bias.data.zero_()
214
+ elif isinstance(module, torch.nn.Embedding):
215
+ module.weight.data.normal_(mean=0.0, std=std)
216
+ if module.padding_idx is not None:
217
+ module.weight.data[module.padding_idx].zero_()
218
+
219
+ def _set_gradient_checkpointing(self, module, value=False):
220
+ if isinstance(module, BaichuanModel):
221
+ module.gradient_checkpointing = value
222
+
223
+
224
+
225
+ class BaichuanModel(BaichuanPreTrainedModel):
226
+ def __init__(self, config: BaichuanConfig):
227
+ super().__init__(config)
228
+ self.padding_idx = config.pad_token_id
229
+ self.vocab_size = config.vocab_size
230
+ self.n_head = config.num_attention_heads
231
+ self.embed_tokens = torch.nn.Embedding(config.vocab_size, config.hidden_size, self.padding_idx)
232
+ self.layers = torch.nn.ModuleList([BaichuanLayer(config) for _ in range(config.num_hidden_layers)])
233
+ self.norm = RMSNorm(config.hidden_size, epsilon=config.rms_norm_eps)
234
+
235
+ self.gradient_checkpointing = config.gradient_checkpointing
236
+ self.post_init()
237
+ self.max_cache_pos = config.model_max_length
238
+ self.first_run = True
239
+
240
+ def get_input_embeddings(self):
241
+ return self.embed_tokens
242
+
243
+ def set_input_embeddings(self, value):
244
+ self.embed_tokens = value
245
+
246
+ def get_alibi_mask(self, tensor, seq_length_with_past):
247
+ if self.first_run:
248
+ self.first_run = False
249
+ self.register_buffer("future_mask", _gen_alibi_mask(self.n_head, self.max_cache_pos).to(tensor), persistent=False)
250
+ if seq_length_with_past > self.max_cache_pos:
251
+ self.max_cache_pos = seq_length_with_past
252
+ self.register_buffer("future_mask", _gen_alibi_mask(self.n_head, self.max_cache_pos).to(tensor), persistent=False)
253
+ mask = self.future_mask[:self.n_head, :seq_length_with_past, :seq_length_with_past]
254
+ return mask
255
+
256
+ def forward(
257
+ self,
258
+ input_ids: torch.LongTensor = None,
259
+ past_key_values: Optional[List[torch.FloatTensor]] = None,
260
+ inputs_embeds: Optional[torch.FloatTensor] = None,
261
+ use_cache: Optional[bool] = False,
262
+ output_attentions: Optional[bool] = False,
263
+ output_hidden_states: Optional[bool] = False,
264
+ return_dict: Optional[bool] = True,
265
+ ) -> Union[Tuple, BaseModelOutputWithPast]:
266
+
267
+
268
+ if input_ids is not None and inputs_embeds is not None:
269
+ raise ValueError("You cannot provide both input_ids and inputs_embeds simultaneously")
270
+ elif input_ids is not None:
271
+ batch_size, seq_length = input_ids.shape
272
+ elif inputs_embeds is not None:
273
+ batch_size, seq_length, _ = inputs_embeds.shape
274
+ else:
275
+ raise ValueError("You need to provide input_ids or inputs_embeds")
276
+
277
+ seq_length_with_past = seq_length
278
+
279
+ if past_key_values is not None:
280
+ past_key_values_length = past_key_values[0][0].shape[2]
281
+ seq_length_with_past = seq_length_with_past + past_key_values_length
282
+
283
+ if inputs_embeds is None:
284
+ inputs_embeds = self.embed_tokens(input_ids)
285
+
286
+ # embed positions
287
+ attention_mask = self.get_alibi_mask(inputs_embeds, seq_length_with_past)
288
+
289
+ hidden_states = inputs_embeds
290
+
291
+ if self.gradient_checkpointing and self.training:
292
+ if use_cache:
293
+ logger.warning_once(
294
+ "`use_cache=True` is incompatible with gradient checkpointing. Setting `use_cache=False`..."
295
+ )
296
+ use_cache = False
297
+
298
+ # decoder layers
299
+ all_hidden_states = () if output_hidden_states else None
300
+ all_self_attns = () if output_attentions else None
301
+ next_decoder_cache = () if use_cache else None
302
+
303
+ for idx, decoder_layer in enumerate(self.layers):
304
+ if output_hidden_states:
305
+ all_hidden_states += (hidden_states,)
306
+
307
+ past_key_value = past_key_values[idx] if past_key_values is not None else None
308
+
309
+ if self.gradient_checkpointing and self.training:
310
+
311
+ def create_custom_forward(module):
312
+ def custom_forward(*inputs):
313
+ # None for past_key_value
314
+ return module(*inputs, output_attentions, None)
315
+
316
+ return custom_forward
317
+
318
+ layer_outputs = torch.utils.checkpoint.checkpoint(
319
+ create_custom_forward(decoder_layer),
320
+ hidden_states,
321
+ attention_mask,
322
+ None,
323
+ )
324
+ else:
325
+ layer_outputs = decoder_layer(
326
+ hidden_states,
327
+ attention_mask=attention_mask,
328
+ past_key_value=past_key_value,
329
+ output_attentions=output_attentions,
330
+ use_cache=use_cache,
331
+ )
332
+
333
+ hidden_states = layer_outputs[0]
334
+
335
+ if use_cache:
336
+ next_decoder_cache += (layer_outputs[2 if output_attentions else 1],)
337
+
338
+ if output_attentions:
339
+ all_self_attns += (layer_outputs[1],)
340
+
341
+ hidden_states = self.norm(hidden_states)
342
+
343
+ # add hidden states from the last decoder layer
344
+ if output_hidden_states:
345
+ all_hidden_states += (hidden_states,)
346
+
347
+ next_cache = next_decoder_cache if use_cache else None
348
+ if not return_dict:
349
+ return tuple(v for v in [hidden_states, next_cache, all_hidden_states, all_self_attns] if v is not None)
350
+ return BaseModelOutputWithPast(
351
+ last_hidden_state=hidden_states,
352
+ past_key_values=next_cache,
353
+ hidden_states=all_hidden_states,
354
+ attentions=all_self_attns,
355
+ )
356
+
357
+
358
+ class BaichuanForCausalLM(BaichuanPreTrainedModel):
359
+ def __init__(self, config):
360
+ super().__init__(config)
361
+ self.model = BaichuanModel(config)
362
+ self.lm_head = torch.nn.Linear(config.hidden_size, config.vocab_size, bias=False)
363
+
364
+ # Initialize weights and apply final processing
365
+ self.post_init()
366
+
367
+ def forward(
368
+ self,
369
+ input_ids: torch.LongTensor = None,
370
+ past_key_values: Optional[List[torch.FloatTensor]] = None,
371
+ inputs_embeds: Optional[torch.FloatTensor] = None,
372
+ labels: Optional[torch.LongTensor] = None,
373
+ use_cache: Optional[bool] = None,
374
+ output_attentions: Optional[bool] = False,
375
+ output_hidden_states: Optional[bool] = False,
376
+ return_dict: Optional[bool] = True,
377
+ **kwargs
378
+ ) -> Union[Tuple, CausalLMOutputWithPast]:
379
+
380
+
381
+ # decoder outputs consists of (dec_features, layer_state, dec_hidden, dec_attn)
382
+ outputs = self.model(
383
+ input_ids=input_ids,
384
+ past_key_values=past_key_values,
385
+ inputs_embeds=inputs_embeds,
386
+ use_cache=use_cache,
387
+ output_attentions=output_attentions,
388
+ output_hidden_states=output_hidden_states,
389
+ return_dict=return_dict,
390
+ )
391
+
392
+ hidden_states = outputs[0]
393
+ logits = self.lm_head(hidden_states)
394
+
395
+ loss = None
396
+ if labels is not None:
397
+ # Shift so that tokens < n predict n
398
+ shift_logits = logits[..., :-1, :].contiguous()
399
+ shift_labels = labels[..., 1:].contiguous()
400
+ # Flatten the tokens
401
+ loss_fct = CrossEntropyLoss()
402
+ shift_logits = shift_logits.view(-1, self.config.vocab_size)
403
+ shift_labels = shift_labels.view(-1)
404
+ # Enable model parallelism
405
+ shift_labels = shift_labels.to(shift_logits.device)
406
+ loss = loss_fct(shift_logits, shift_labels)
407
+
408
+ if not return_dict:
409
+ output = (logits,) + outputs[1:]
410
+ return (loss,) + output if loss is not None else output
411
+
412
+ return CausalLMOutputWithPast(
413
+ loss=loss,
414
+ logits=logits,
415
+ past_key_values=outputs.past_key_values,
416
+ hidden_states=outputs.hidden_states,
417
+ attentions=outputs.attentions,
418
+ )
419
+
420
+ def prepare_inputs_for_generation(
421
+ self, input_ids, past_key_values=None, attention_mask=None, inputs_embeds=None, **kwargs
422
+ ):
423
+ if past_key_values:
424
+ input_ids = input_ids[:, -1:]
425
+
426
+ # if `inputs_embeds` are passed, we only want to use them in the 1st generation step
427
+ if inputs_embeds is not None and past_key_values is None:
428
+ model_inputs = {"inputs_embeds": inputs_embeds}
429
+ else:
430
+ model_inputs = {"input_ids": input_ids}
431
+
432
+ model_inputs.update(
433
+ {
434
+ "past_key_values": past_key_values,
435
+ "use_cache": kwargs.get("use_cache"),
436
+ }
437
+ )
438
+ return model_inputs
439
+
440
+ @staticmethod
441
+ def _reorder_cache(past_key_values, beam_idx):
442
+ return tuple(
443
+ tuple(past_state.index_select(0, beam_idx) for past_state in layer_past)
444
+ for layer_past in past_key_values
445
+ )
446
+
447
+
448
+ def quantize(self, bits: int):
449
+ try:
450
+ from .quantizer import QLinear
451
+ except ImportError:
452
+ raise ImportError(
453
+ f"Needs QLinear to run quantize."
454
+ )
455
+
456
+ for layer in self.model.layers:
457
+ layer.self_attn.W_pack = QLinear(
458
+ bits=bits,
459
+ weight=layer.self_attn.W_pack.weight,
460
+ bias = None,
461
+ )
462
+ layer.self_attn.o_proj = QLinear(
463
+ bits=bits,
464
+ weight=layer.self_attn.o_proj.weight,
465
+ bias = None,
466
+ )
467
+ layer.mlp.gate_proj = QLinear(
468
+ bits=bits,
469
+ weight=layer.mlp.gate_proj.weight,
470
+ bias = None,
471
+ )
472
+ layer.mlp.down_proj = QLinear(
473
+ bits=bits,
474
+ weight=layer.mlp.down_proj.weight,
475
+ bias = None,
476
+ )
477
+ layer.mlp.up_proj = QLinear(
478
+ bits=bits,
479
+ weight=layer.mlp.up_proj.weight,
480
+ bias = None,
481
+ )
482
+ return self
483
+
484
+ def _build_chat_input(self, tokenizer, messages: List[dict], max_new_tokens: int=0):
485
+ max_new_tokens = max_new_tokens or self.generation_config.max_new_tokens
486
+ max_input_tokens = self.config.model_max_length - max_new_tokens
487
+ max_input_tokens = max(self.config.model_max_length // 2, max_input_tokens)
488
+ total_input, round_input = [], []
489
+ for i, message in enumerate(messages[::-1]):
490
+ content_tokens = tokenizer.encode(message['content'])
491
+ if message['role'] == 'user':
492
+ round_input = [self.generation_config.user_token_id] + content_tokens + round_input
493
+ if total_input and len(total_input) + len(round_input) > max_input_tokens:
494
+ break
495
+ else:
496
+ total_input = round_input + total_input
497
+ if len(total_input) >= max_input_tokens:
498
+ break
499
+ else:
500
+ round_input = []
501
+ elif message['role'] == 'assistant':
502
+ round_input = [
503
+ self.generation_config.assistant_token_id
504
+ ] + content_tokens + [
505
+ self.generation_config.eos_token_id
506
+ ] + round_input
507
+ else:
508
+ raise ValueError(f"message role not supported yet: {message['role']}")
509
+ total_input = total_input[-max_input_tokens:] # truncate left
510
+ total_input.append(self.generation_config.assistant_token_id)
511
+ total_input = torch.LongTensor([total_input]).to(self.device)
512
+ return total_input
513
+
514
+ @torch.no_grad()
515
+ def chat(self, tokenizer, messages: List[dict], stream=False,
516
+ generation_config: Optional[GenerationConfig]=None):
517
+ generation_config = generation_config or self.generation_config
518
+ input_ids = self._build_chat_input(tokenizer, messages, generation_config.max_new_tokens)
519
+ if stream:
520
+ from transformers_stream_generator.main import NewGenerationMixin, StreamGenerationConfig
521
+ self.__class__.generate = NewGenerationMixin.generate
522
+ self.__class__.sample_stream = NewGenerationMixin.sample_stream
523
+ stream_config = StreamGenerationConfig(**generation_config.to_dict(), do_stream=True)
524
+
525
+ def stream_generator():
526
+ outputs = []
527
+ for token in self.generate(input_ids, generation_config=stream_config):
528
+ outputs.append(token.item())
529
+ yield tokenizer.decode(outputs, skip_special_tokens=True)
530
+
531
+ return stream_generator()
532
+ else:
533
+ self.__class__.generate = PreTrainedModel.generate # disable stream
534
+ outputs = self.generate(input_ids, generation_config=generation_config)
535
+ response = tokenizer.decode(outputs[0][len(input_ids[0]):], skip_special_tokens=True)
536
+ return response
pytorch_model.bin.index.json ADDED
@@ -0,0 +1,290 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ {
2
+ "metadata": {
3
+ "total_size": 53059604480
4
+ },
5
+ "weight_map": {
6
+ "lm_head.weight": "pytorch_model-00006-of-00006.bin",
7
+ "model.embed_tokens.weight": "pytorch_model-00001-of-00006.bin",
8
+ "model.layers.0.input_layernorm.weight": "pytorch_model-00001-of-00006.bin",
9
+ "model.layers.0.mlp.down_proj.weight": "pytorch_model-00001-of-00006.bin",
10
+ "model.layers.0.mlp.gate_proj.weight": "pytorch_model-00001-of-00006.bin",
11
+ "model.layers.0.mlp.up_proj.weight": "pytorch_model-00001-of-00006.bin",
12
+ "model.layers.0.post_attention_layernorm.weight": "pytorch_model-00001-of-00006.bin",
13
+ "model.layers.0.self_attn.W_pack.weight": "pytorch_model-00001-of-00006.bin",
14
+ "model.layers.0.self_attn.o_proj.weight": "pytorch_model-00001-of-00006.bin",
15
+ "model.layers.1.input_layernorm.weight": "pytorch_model-00001-of-00006.bin",
16
+ "model.layers.1.mlp.down_proj.weight": "pytorch_model-00001-of-00006.bin",
17
+ "model.layers.1.mlp.gate_proj.weight": "pytorch_model-00001-of-00006.bin",
18
+ "model.layers.1.mlp.up_proj.weight": "pytorch_model-00001-of-00006.bin",
19
+ "model.layers.1.post_attention_layernorm.weight": "pytorch_model-00001-of-00006.bin",
20
+ "model.layers.1.self_attn.W_pack.weight": "pytorch_model-00001-of-00006.bin",
21
+ "model.layers.1.self_attn.o_proj.weight": "pytorch_model-00001-of-00006.bin",
22
+ "model.layers.10.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
23
+ "model.layers.10.mlp.down_proj.weight": "pytorch_model-00002-of-00006.bin",
24
+ "model.layers.10.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
25
+ "model.layers.10.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
26
+ "model.layers.10.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
27
+ "model.layers.10.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
28
+ "model.layers.10.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
29
+ "model.layers.11.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
30
+ "model.layers.11.mlp.down_proj.weight": "pytorch_model-00002-of-00006.bin",
31
+ "model.layers.11.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
32
+ "model.layers.11.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
33
+ "model.layers.11.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
34
+ "model.layers.11.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
35
+ "model.layers.11.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
36
+ "model.layers.12.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
37
+ "model.layers.12.mlp.down_proj.weight": "pytorch_model-00002-of-00006.bin",
38
+ "model.layers.12.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
39
+ "model.layers.12.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
40
+ "model.layers.12.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
41
+ "model.layers.12.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
42
+ "model.layers.12.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
43
+ "model.layers.13.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
44
+ "model.layers.13.mlp.down_proj.weight": "pytorch_model-00002-of-00006.bin",
45
+ "model.layers.13.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
46
+ "model.layers.13.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
47
+ "model.layers.13.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
48
+ "model.layers.13.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
49
+ "model.layers.13.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
50
+ "model.layers.14.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
51
+ "model.layers.14.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
52
+ "model.layers.14.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
53
+ "model.layers.14.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
54
+ "model.layers.14.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
55
+ "model.layers.14.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
56
+ "model.layers.14.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
57
+ "model.layers.15.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
58
+ "model.layers.15.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
59
+ "model.layers.15.mlp.gate_proj.weight": "pytorch_model-00003-of-00006.bin",
60
+ "model.layers.15.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
61
+ "model.layers.15.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
62
+ "model.layers.15.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
63
+ "model.layers.15.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
64
+ "model.layers.16.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
65
+ "model.layers.16.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
66
+ "model.layers.16.mlp.gate_proj.weight": "pytorch_model-00003-of-00006.bin",
67
+ "model.layers.16.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
68
+ "model.layers.16.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
69
+ "model.layers.16.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
70
+ "model.layers.16.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
71
+ "model.layers.17.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
72
+ "model.layers.17.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
73
+ "model.layers.17.mlp.gate_proj.weight": "pytorch_model-00003-of-00006.bin",
74
+ "model.layers.17.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
75
+ "model.layers.17.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
76
+ "model.layers.17.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
77
+ "model.layers.17.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
78
+ "model.layers.18.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
79
+ "model.layers.18.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
80
+ "model.layers.18.mlp.gate_proj.weight": "pytorch_model-00003-of-00006.bin",
81
+ "model.layers.18.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
82
+ "model.layers.18.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
83
+ "model.layers.18.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
84
+ "model.layers.18.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
85
+ "model.layers.19.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
86
+ "model.layers.19.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
87
+ "model.layers.19.mlp.gate_proj.weight": "pytorch_model-00003-of-00006.bin",
88
+ "model.layers.19.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
89
+ "model.layers.19.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
90
+ "model.layers.19.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
91
+ "model.layers.19.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
92
+ "model.layers.2.input_layernorm.weight": "pytorch_model-00001-of-00006.bin",
93
+ "model.layers.2.mlp.down_proj.weight": "pytorch_model-00001-of-00006.bin",
94
+ "model.layers.2.mlp.gate_proj.weight": "pytorch_model-00001-of-00006.bin",
95
+ "model.layers.2.mlp.up_proj.weight": "pytorch_model-00001-of-00006.bin",
96
+ "model.layers.2.post_attention_layernorm.weight": "pytorch_model-00001-of-00006.bin",
97
+ "model.layers.2.self_attn.W_pack.weight": "pytorch_model-00001-of-00006.bin",
98
+ "model.layers.2.self_attn.o_proj.weight": "pytorch_model-00001-of-00006.bin",
99
+ "model.layers.20.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
100
+ "model.layers.20.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
101
+ "model.layers.20.mlp.gate_proj.weight": "pytorch_model-00003-of-00006.bin",
102
+ "model.layers.20.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
103
+ "model.layers.20.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
104
+ "model.layers.20.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
105
+ "model.layers.20.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
106
+ "model.layers.21.input_layernorm.weight": "pytorch_model-00003-of-00006.bin",
107
+ "model.layers.21.mlp.down_proj.weight": "pytorch_model-00003-of-00006.bin",
108
+ "model.layers.21.mlp.gate_proj.weight": "pytorch_model-00003-of-00006.bin",
109
+ "model.layers.21.mlp.up_proj.weight": "pytorch_model-00003-of-00006.bin",
110
+ "model.layers.21.post_attention_layernorm.weight": "pytorch_model-00003-of-00006.bin",
111
+ "model.layers.21.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
112
+ "model.layers.21.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
113
+ "model.layers.22.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
114
+ "model.layers.22.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
115
+ "model.layers.22.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
116
+ "model.layers.22.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
117
+ "model.layers.22.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
118
+ "model.layers.22.self_attn.W_pack.weight": "pytorch_model-00003-of-00006.bin",
119
+ "model.layers.22.self_attn.o_proj.weight": "pytorch_model-00003-of-00006.bin",
120
+ "model.layers.23.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
121
+ "model.layers.23.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
122
+ "model.layers.23.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
123
+ "model.layers.23.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
124
+ "model.layers.23.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
125
+ "model.layers.23.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
126
+ "model.layers.23.self_attn.o_proj.weight": "pytorch_model-00004-of-00006.bin",
127
+ "model.layers.24.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
128
+ "model.layers.24.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
129
+ "model.layers.24.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
130
+ "model.layers.24.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
131
+ "model.layers.24.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
132
+ "model.layers.24.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
133
+ "model.layers.24.self_attn.o_proj.weight": "pytorch_model-00004-of-00006.bin",
134
+ "model.layers.25.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
135
+ "model.layers.25.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
136
+ "model.layers.25.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
137
+ "model.layers.25.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
138
+ "model.layers.25.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
139
+ "model.layers.25.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
140
+ "model.layers.25.self_attn.o_proj.weight": "pytorch_model-00004-of-00006.bin",
141
+ "model.layers.26.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
142
+ "model.layers.26.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
143
+ "model.layers.26.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
144
+ "model.layers.26.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
145
+ "model.layers.26.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
146
+ "model.layers.26.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
147
+ "model.layers.26.self_attn.o_proj.weight": "pytorch_model-00004-of-00006.bin",
148
+ "model.layers.27.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
149
+ "model.layers.27.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
150
+ "model.layers.27.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
151
+ "model.layers.27.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
152
+ "model.layers.27.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
153
+ "model.layers.27.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
154
+ "model.layers.27.self_attn.o_proj.weight": "pytorch_model-00004-of-00006.bin",
155
+ "model.layers.28.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
156
+ "model.layers.28.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
157
+ "model.layers.28.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
158
+ "model.layers.28.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
159
+ "model.layers.28.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
160
+ "model.layers.28.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
161
+ "model.layers.28.self_attn.o_proj.weight": "pytorch_model-00004-of-00006.bin",
162
+ "model.layers.29.input_layernorm.weight": "pytorch_model-00004-of-00006.bin",
163
+ "model.layers.29.mlp.down_proj.weight": "pytorch_model-00004-of-00006.bin",
164
+ "model.layers.29.mlp.gate_proj.weight": "pytorch_model-00004-of-00006.bin",
165
+ "model.layers.29.mlp.up_proj.weight": "pytorch_model-00004-of-00006.bin",
166
+ "model.layers.29.post_attention_layernorm.weight": "pytorch_model-00004-of-00006.bin",
167
+ "model.layers.29.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
168
+ "model.layers.29.self_attn.o_proj.weight": "pytorch_model-00004-of-00006.bin",
169
+ "model.layers.3.input_layernorm.weight": "pytorch_model-00001-of-00006.bin",
170
+ "model.layers.3.mlp.down_proj.weight": "pytorch_model-00001-of-00006.bin",
171
+ "model.layers.3.mlp.gate_proj.weight": "pytorch_model-00001-of-00006.bin",
172
+ "model.layers.3.mlp.up_proj.weight": "pytorch_model-00001-of-00006.bin",
173
+ "model.layers.3.post_attention_layernorm.weight": "pytorch_model-00001-of-00006.bin",
174
+ "model.layers.3.self_attn.W_pack.weight": "pytorch_model-00001-of-00006.bin",
175
+ "model.layers.3.self_attn.o_proj.weight": "pytorch_model-00001-of-00006.bin",
176
+ "model.layers.30.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
177
+ "model.layers.30.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
178
+ "model.layers.30.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
179
+ "model.layers.30.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
180
+ "model.layers.30.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
181
+ "model.layers.30.self_attn.W_pack.weight": "pytorch_model-00004-of-00006.bin",
182
+ "model.layers.30.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
183
+ "model.layers.31.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
184
+ "model.layers.31.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
185
+ "model.layers.31.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
186
+ "model.layers.31.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
187
+ "model.layers.31.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
188
+ "model.layers.31.self_attn.W_pack.weight": "pytorch_model-00005-of-00006.bin",
189
+ "model.layers.31.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
190
+ "model.layers.32.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
191
+ "model.layers.32.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
192
+ "model.layers.32.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
193
+ "model.layers.32.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
194
+ "model.layers.32.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
195
+ "model.layers.32.self_attn.W_pack.weight": "pytorch_model-00005-of-00006.bin",
196
+ "model.layers.32.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
197
+ "model.layers.33.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
198
+ "model.layers.33.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
199
+ "model.layers.33.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
200
+ "model.layers.33.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
201
+ "model.layers.33.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
202
+ "model.layers.33.self_attn.W_pack.weight": "pytorch_model-00005-of-00006.bin",
203
+ "model.layers.33.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
204
+ "model.layers.34.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
205
+ "model.layers.34.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
206
+ "model.layers.34.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
207
+ "model.layers.34.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
208
+ "model.layers.34.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
209
+ "model.layers.34.self_attn.W_pack.weight": "pytorch_model-00005-of-00006.bin",
210
+ "model.layers.34.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
211
+ "model.layers.35.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
212
+ "model.layers.35.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
213
+ "model.layers.35.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
214
+ "model.layers.35.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
215
+ "model.layers.35.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
216
+ "model.layers.35.self_attn.W_pack.weight": "pytorch_model-00005-of-00006.bin",
217
+ "model.layers.35.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
218
+ "model.layers.36.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
219
+ "model.layers.36.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
220
+ "model.layers.36.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
221
+ "model.layers.36.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
222
+ "model.layers.36.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
223
+ "model.layers.36.self_attn.W_pack.weight": "pytorch_model-00005-of-00006.bin",
224
+ "model.layers.36.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
225
+ "model.layers.37.input_layernorm.weight": "pytorch_model-00005-of-00006.bin",
226
+ "model.layers.37.mlp.down_proj.weight": "pytorch_model-00005-of-00006.bin",
227
+ "model.layers.37.mlp.gate_proj.weight": "pytorch_model-00005-of-00006.bin",
228
+ "model.layers.37.mlp.up_proj.weight": "pytorch_model-00005-of-00006.bin",
229
+ "model.layers.37.post_attention_layernorm.weight": "pytorch_model-00005-of-00006.bin",
230
+ "model.layers.37.self_attn.W_pack.weight": "pytorch_model-00005-of-00006.bin",
231
+ "model.layers.37.self_attn.o_proj.weight": "pytorch_model-00005-of-00006.bin",
232
+ "model.layers.38.input_layernorm.weight": "pytorch_model-00006-of-00006.bin",
233
+ "model.layers.38.mlp.down_proj.weight": "pytorch_model-00006-of-00006.bin",
234
+ "model.layers.38.mlp.gate_proj.weight": "pytorch_model-00006-of-00006.bin",
235
+ "model.layers.38.mlp.up_proj.weight": "pytorch_model-00006-of-00006.bin",
236
+ "model.layers.38.post_attention_layernorm.weight": "pytorch_model-00006-of-00006.bin",
237
+ "model.layers.38.self_attn.W_pack.weight": "pytorch_model-00006-of-00006.bin",
238
+ "model.layers.38.self_attn.o_proj.weight": "pytorch_model-00006-of-00006.bin",
239
+ "model.layers.39.input_layernorm.weight": "pytorch_model-00006-of-00006.bin",
240
+ "model.layers.39.mlp.down_proj.weight": "pytorch_model-00006-of-00006.bin",
241
+ "model.layers.39.mlp.gate_proj.weight": "pytorch_model-00006-of-00006.bin",
242
+ "model.layers.39.mlp.up_proj.weight": "pytorch_model-00006-of-00006.bin",
243
+ "model.layers.39.post_attention_layernorm.weight": "pytorch_model-00006-of-00006.bin",
244
+ "model.layers.39.self_attn.W_pack.weight": "pytorch_model-00006-of-00006.bin",
245
+ "model.layers.39.self_attn.o_proj.weight": "pytorch_model-00006-of-00006.bin",
246
+ "model.layers.4.input_layernorm.weight": "pytorch_model-00001-of-00006.bin",
247
+ "model.layers.4.mlp.down_proj.weight": "pytorch_model-00001-of-00006.bin",
248
+ "model.layers.4.mlp.gate_proj.weight": "pytorch_model-00001-of-00006.bin",
249
+ "model.layers.4.mlp.up_proj.weight": "pytorch_model-00001-of-00006.bin",
250
+ "model.layers.4.post_attention_layernorm.weight": "pytorch_model-00001-of-00006.bin",
251
+ "model.layers.4.self_attn.W_pack.weight": "pytorch_model-00001-of-00006.bin",
252
+ "model.layers.4.self_attn.o_proj.weight": "pytorch_model-00001-of-00006.bin",
253
+ "model.layers.5.input_layernorm.weight": "pytorch_model-00001-of-00006.bin",
254
+ "model.layers.5.mlp.down_proj.weight": "pytorch_model-00001-of-00006.bin",
255
+ "model.layers.5.mlp.gate_proj.weight": "pytorch_model-00001-of-00006.bin",
256
+ "model.layers.5.mlp.up_proj.weight": "pytorch_model-00001-of-00006.bin",
257
+ "model.layers.5.post_attention_layernorm.weight": "pytorch_model-00001-of-00006.bin",
258
+ "model.layers.5.self_attn.W_pack.weight": "pytorch_model-00001-of-00006.bin",
259
+ "model.layers.5.self_attn.o_proj.weight": "pytorch_model-00001-of-00006.bin",
260
+ "model.layers.6.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
261
+ "model.layers.6.mlp.down_proj.weight": "pytorch_model-00001-of-00006.bin",
262
+ "model.layers.6.mlp.gate_proj.weight": "pytorch_model-00001-of-00006.bin",
263
+ "model.layers.6.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
264
+ "model.layers.6.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
265
+ "model.layers.6.self_attn.W_pack.weight": "pytorch_model-00001-of-00006.bin",
266
+ "model.layers.6.self_attn.o_proj.weight": "pytorch_model-00001-of-00006.bin",
267
+ "model.layers.7.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
268
+ "model.layers.7.mlp.down_proj.weight": "pytorch_model-00002-of-00006.bin",
269
+ "model.layers.7.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
270
+ "model.layers.7.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
271
+ "model.layers.7.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
272
+ "model.layers.7.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
273
+ "model.layers.7.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
274
+ "model.layers.8.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
275
+ "model.layers.8.mlp.down_proj.weight": "pytorch_model-00002-of-00006.bin",
276
+ "model.layers.8.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
277
+ "model.layers.8.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
278
+ "model.layers.8.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
279
+ "model.layers.8.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
280
+ "model.layers.8.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
281
+ "model.layers.9.input_layernorm.weight": "pytorch_model-00002-of-00006.bin",
282
+ "model.layers.9.mlp.down_proj.weight": "pytorch_model-00002-of-00006.bin",
283
+ "model.layers.9.mlp.gate_proj.weight": "pytorch_model-00002-of-00006.bin",
284
+ "model.layers.9.mlp.up_proj.weight": "pytorch_model-00002-of-00006.bin",
285
+ "model.layers.9.post_attention_layernorm.weight": "pytorch_model-00002-of-00006.bin",
286
+ "model.layers.9.self_attn.W_pack.weight": "pytorch_model-00002-of-00006.bin",
287
+ "model.layers.9.self_attn.o_proj.weight": "pytorch_model-00002-of-00006.bin",
288
+ "model.norm.weight": "pytorch_model-00006-of-00006.bin"
289
+ }
290
+ }
quantizer.py ADDED
@@ -0,0 +1,123 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Copyright (c) 2023, Baichuan Intelligent Technology. All rights reserved.
2
+
3
+ import torch
4
+ from typing import List
5
+ import bz2
6
+ import base64
7
+ import ctypes
8
+ from transformers.utils import logging
9
+ logger = logging.get_logger(__name__)
10
+
11
+ try:
12
+ from cpm_kernels.kernels.base import LazyKernelCModule, KernelFunction, round_up
13
+
14
+ class Kernel:
15
+ def __init__(self, code: bytes, function_names: List[str]):
16
+ self.code = code
17
+ self._function_names = function_names
18
+ self._cmodule = LazyKernelCModule(self.code)
19
+
20
+ for name in self._function_names:
21
+ setattr(self, name, KernelFunction(self._cmodule, name))
22
+ quantization_code = "QlpoOTFBWSZTWX/mUzwAK6f///////////////////////////////7f////////////4C5duvi2D0Oj1ppVCJ2zQFYbnbsxmq20pAC7kEDb3Z3nWrextY9NZbavON7nveSRqszudmzAGGgkeh0Pewk881e3Tz13kW9YO7uA9AUUiAWLNW2HHWCE005Mdz3jHs1Ic7QNCQBNGgmE000DRNoGjUYmA0mEmJjIaI9JtT0JoaaMTaQ0aMjTTI1TzKMmETwyaJ6k8p4Ke1T0wk2aE0anpPSHppqNM1HqYzVGj0MpsTTUGpoCAAEyAAAmhpPSYowMk9U8mqb0mJtU8ETwCZT1DQ9R5R6htE9TTyRptQeoyHqA0B6g9T1AD1HpGQGgD1A0NPUAAAA0A1Mg00gmhKPU9E2SekHoJ5QHlNDEPUeoDEaBkAHqBoABoNABoAaGgBoAAAAAAA0AAAAAAAAEmoiIgmiD0maRip+qfpR+k9U/QKaZPUepiGeST1HqeU9TQ9JoANAMhoZPU0AAYnqaBoAANABoAAAADQGgAAADTQ0IAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAAASJEE0AJo0GkxGJoZNKeBoTCnpNNpU9knqn+ppmUnom1PKZqTaaTTwTTFPNJ6pj1BG0eoaMgwQGkYAGk2gjT0jBqaY0RoDeqZoNEYT1NpsA/+iBrt+OVIiCKqfH7N/e67XZ2Dx9tPHyWbW4gAENNTtyzk+/WdoU604SoXU0JgfqgQxVmzbfdmaFcVxQAYINDyjTKU1FCUUzUuqqptg4SBgwIAHYE4NwQOrbY1bOF26LUVuxYr3Hp4paZXaqKU1UmXO3K+IXn2hURrgAegAaTANS+QBclUN6tpvhn85+uTPCLxzj34YO8MIMg45eRAEy9IYbKxeZTRnTy6GpPLtVGWKKK6iuDLa9wjtSmUQREX6wHfE3JeTVZdoj4Hg/3cHlBdw4c4BdGvigzZsubPr3eTi2hs6tZz3J9zUVm8qH+FPwSx4Tdr6by/OA88iLHk34rWNt7fT7NwqqqqqqqrGMYxjFcdqvY2mXyh42c2ccxhtyvBHojjUlyAKRgbvAB6nhls1wGLTOrfGMBsqRXl9Bl3sOlvafSA7sDrmAQI+mw90af+bvJ8mwjP+RKtjobGNzbfl76iTHMiIIUf9oIoygqSG2NLn0Ys/mZ+hzufu7epmzbvP1t7S0Xo8TKK7q6G5MA8vTgBb7Bf/2kITSLsH7Xmfydz7ahAt4YJbBuAQJI+1M8DLJCQH+UPbv212QWIhcCKhBrR2eryfQYIiIhKE0WtbOQ7OwM7OxtURGbF28NBndi9ejVDVA3dne37uDdzrwINS+O/0AzQTCgUjfCAwkkKFMT4Kr0aV3DicVAelGBesGYoCRcLKq5iBFR6SzOzrAwFWDFVYU2XT1oFaRJk2JBDOwVk1LFZZfwY7tQBYMGdECFA1cLZAg0IlfCTCMgZ4afRQBNvXSuMORVUTxTLSTgMFoUtaGLIr524yIM+INSFFIOHQ4TG5NZbd3Su3Nu9raSLd/ueibSYpAL0D42ZkAtD0pnXrfTxYPBw+mAt1cKPCPmDNMCDYCBiQwmANVhdDjBwsdIKyfH1slCvWbJC4QO8SBxi6A+GEpDBN6UQnPaEvBqFk3TwChKSowEENpyAueDIFs6OxxLRmFSUFpjWgYpECgDgfVBJjhg4GGcI9CD0S3igCrdziS3ZoYHlQE+7AELdvbebTVsdRvrPHCgiAbSYzUN0z0SCshLjaUaREEREQQRHNKAgAS9o0kukdJx0ulaJk0kINzlUYN0wWXLLsmRgSG1BEJNh5sCuVtIybGlKUW29BziJUTpqcA8UCCLtOGU0hH17BYTERfPKhCAwxJqSSSMd+umawlsykXZiKHesslqlVDKEHPzFhIWwJHTfcYCGE9dQK9sKixjNifLkW1iLnyZo57BBx2jksXPYjcaA6Z6rlYTl9ocZHn2URKVXnY/Wsrc5l3aym6Uq7u9eu2szSbJgwhqPqfOR1JCCZl7/AehLVBSIXc9npUk8IDzrRCS9XKMeamSDmFxK6OQDhwNnxubbnQygQb4DEL6oD5qkkG6F03dyDAUJB/awNUoDCa3CmYy2QIsK0Z46BoX1N4kY8aGNFB8WZAfWvaHeUT4gYIjEsZBBARIFAk2jCTxAmpW03GtdW4WCN0bLJiiqY3ixmHAWRqqQKqgS2hlf8mwszkhUy3LDx3GLdo5AHGAgC4BogUAVgH4QM0AGAImwbS6gwANIep0rJIU3hBgaeKAEcnzfs+g/sJZnETvInDcAH5fE7azmr8EyIFx77caxbrDBC64CEU8wCqzAHPgkk4kiPREKYHn2HaoDBWCCrFBrhR+XpeNQkdbzCBHee2hW8EW373k/qd/PxGC2R+IO4vmNEAl1AE0l4bEvmnfd5/JYs5gl9XpgQIS7g/LAK7owBwgso9j0yEB9MRIBjqmkLdG5uED3tICA6PYXe4WItRawAenfJ0lCFupoGvajxuQC/5YQPnwFpgQBMNgBndpgVNJcyw+5vCJgHtWU0EDYk2HsvD8Qkg6ANAd8UQXGH/3X3gXgNDefHyaQ/wd93Xx87hWWtW0kPCQGR+KYiPeMQse27PdNLGwhlz8WJObSnEQyHJw1JmStJXTtIg0ZKEHrLZCXd1ljLGkkxtpsDofXUiBH0LLEM43kb2waJ26KZsJ9sBbxcAqzUgWxzogNFm4vSxjMR58r5Xm8H2+6ItGcNX2AK3GhDIMzSX3YyFsbNG0u0MxvZzGFv19k2E45tXrK+1OKUYRiH2OT2Fs7kqtxMDrANVp2nxreAZg02UaFEsuf6+urQi1PxvNOhuacrStndOnonV3e5Du+Xjp8mjhiHYPNexu7UKSbt0Gs2rPIVVVSFyQ7phtQ0ZOUySoyZA79muzuLBZaLAW20gZIeuJDacErguFE3e70svo0S0mRBMBu33rjqVrNEN9A5PHvOgukEPEgb0tYAMrvcvIXB5ydzJHXQ1n+t7BUI24oJtSCTAUet75rBpXL4ylQ4LGBpbQeQCiOku+8rq90o18ga4WEGBDhvHB0YYd/CDLIMdDh2cO/i/RppcEi3Zd+CCU8OdxAAiOgi5qeghJkUnO6YGZi5LEilo2WhSiEVsU2IK7unV2rXG61Q/LbUqGx72rn2Uzx/q/fzsCWUFCQyAA+XqfGVGvL1kml0MVpjJl1A9vYoYTSatnV1+z2czsdoc4QFWLILHn1S71/r3V1S/fJMgDlXX6DVv8+FeECNi1u8zf8K8r1Khq7twFu5xPfZJT+PLpYUZWgGNDG0Jlq4rsQy86u95xqTdO0TbSGBdDOUSyyGHQAmP5mgNfVvgeY2tPzlKbyrvnaZhgQ7aWeJjzbF4mjPlro1hYjmnWUshKxVsQ6pveK850taANOgIE/aJvr0IAC0g2H2d1agVwnBkAF1kl7IPZc8mBthvlYish4AqABgI9hw2cExRabO+8Xz31+enwlCxSbnfVFlqig3UKGBQiybpEBGQLIxuoUMVYLTt53sY+lPlxSAq9f3lfnVlFmiBFrOhAeAF/0/N6HI6/+rsQ2+D5U5fenadDmtFFgeZLLESwOgWWIlgWFo+uFROhke3lKQ4bf0mLH3XSOgtDGd73hfMwDM2aF7Lonl7AlbiPbV2zY2lvu1Vj7jzlmFYoKieH93wt3fLhBXgYUGJEjga5YWEVyE00qIYWXSKd0ZaZy+vuCQlhaz5ELs9n/pjuFAHpoDCMEEtseECQF+Rk58EyW3nzCdlyCeY5WPItdkDZ4egXmjfZTLSVT29ku6KCGxHbdTBD3z52SxkuXkpoaHyy3t25+JwX5zFdYawDASl7397IB2tunNbt2FygaTBIO5qrG0asQmxEVRGCn26UX6DewTmic/QqkLZjdCTqjQDGlxy4IODucyQlmE0zkwSkR02cZjZcA1MzMczZAf1hfPnZT1IGtWIJGOcpzgYwCGyiNtoxRkupRElCCAgWJcE4igRJEQogPHYVAVBAEYDBkUEBIOSMK3KJNwQllpqWZARLCgMM8TkQoHOSZTDbSrjS6QtkYsQSloWSmQ4BlMjEJuuWh0ERMIVRLbcNDDQalLRQiEoBIUKZaiQpZQ1KoooVlNtjVVGAsG6WkNS84MJcoYIgjBrKaODOaUZG6QUZlCUGKy25MUVYGMWC+95zG4FRE0iyDRISulc0GQJt6m5u8WSQD4NAiDAMD9y0Q4TBGAaAIGe6PfdX9zl9Xginufp+HmPiAGfY8ZoDAarMoQAD9kA2OUJQV3lBq86RzpT8nbXPtqxsvN4YTDyOQgGEarV4Tc5h1yv2Npz+65PJpxO/Tefe5S5U1n8asAC3AQIACrUA5XacxgALbHvUfi9ApR956Do3PCWymCzTo7JjufU9DsGcQWqAFwwZfDzR+m6436pzvncYkARkLKOxX23RuLsQeK067Y/Fq8tB7igBMvb836/03fkV4qZ5YY4pFxADLifQb2iaUAwjesDs8Nhx5vnIw3rZOyb9+jyaYazgr2vbSKuf82URMcyf+99L2sWJHqW/I0PfaMR0KsULcnf9Lx/fJFzattuUwcjv8vdJed+FY1s49FrvJMbRVa82imzbdgSpDhEtleDphWrjgzVu59jsXKG/3f88zolkjqRQUk+Xm8F72190OzfqwfT5XAYbvq8WBzq/B+4rLP8j5PDfiytkicVOAAJ6QOe+hWqqwgfq61qtJ7jrsz89u1dDqsK/9Wur9Po5K1vHsXseRHoyF+LoewZ3uHaanw5S9LCW9Gj8k3e5ObY3NfjabO0cbzotaAPB3XIg+av5zaHst8ijMqapTpVtdwy211QZINMi1UCIHnAB3ZLFDZQuraVlNALggow5ygAhEo9EDHUCSm8+Hhev7eTufm8onZ7pATIUwBEBBUUEPBw/zcrl+pwtDJe2XApoPk8CJjTqtqbv7DYwZWFs/M8EhDcYE8AK8A+GfX/aQkYgSLdftV0Id/5gf3lOuNNC0799E3uYYtpMg6yABaJz5en+HpUfveNBXeYA8Whj8TtZK60F8V863ndv3PwKagCzpXtfv1APjaUgxkGLtptiZPR9vldS2Bfy0pT3RXWJlLCCj+GpAz28S4v0YQrYE7We9WpbVXz7KVTWEtoXM/UPZhYnpzdeokWJdNHQ6JQLxp7bOfci50rBcdOdhOqmyeC7B2rL6rxd969Xxc9L4zMrsqZ0+DoaPeSn8Y5QMLTOLpdvz1qaOO5xT1xPjgKnhTYa5pzi5U+bDcHXzYdxpgAbbhf/e8aBprxka5aM2J3lYXBG5G/r7CunzcPyjz2o79z8eDKkMvdO9WixswXLu3TkpoYcV0465fwUxoxC6L9Zwc+QsLDfqipk3wMSSRkBPM8Bxrwt0Mjr4IWW9Tw+Kw23yTbUyYJqrgNaq7saBKAdzYXMQ6mkrfqt72Lk0YwiZmIKkXUgChISCZMMrwdnjWbJDoR5ZXGxxAX5uRBfHBOk6JS8VVVWd56zxf8v3uR0/zON57e6BDuqIcQDJ7H0q5BNPaWbExYw2Bj4tRM9kB+JfynyyEfR/7ZiPXRFLmwpGGjLF9G6/J65mkUZEaKrUdBZYUxFKqGJL4LAbEfZjLi4GYXhv+x3ZpHkC3YADdMsKeYmfKgtzUd+Y7dVngbdcEFGAL3VqaYfYAYMtY3YKIQumTVXUFTFQyU0bqIeMgV2WOcZFXICpoMvueYVy0mHAiaeyNg1p5/QmSbYgyb7WQdUPfY3QeKc0hewGB2z2vH9t+pvy7B6P21pG+wXCMQHZl30TJonLPhQg8nka+raw1OLPUVWvIidrloKjcLH6/YAwepAoWEykQ9Bw2+YU/N5dbXnsNcPbubOszstYSwQYATYulLN0AHAgwb5t+VfATV6uhICgRgDGUaoVNNLc9ZMMW5+qKVhOyoRMLzJolo17ACLDPes+aoyeD5aIZm46HHKV7KqGX1IGbYEEDaAh0Vj+43wIMep+e+gsP4UEgVjmMAWTPz2XZhQDA6/Vzbk0fK+v0+bNB12LRbfmsufKzRgw7Hp7b+J+N2LqWXdwWTvhQ2rIPjc2cgS2A4Ub7IflPitJFAPyFvbvHK+tXi0Zcbi6mO6HTaIydOeYDmSYUIACAZwJCEgueoJnU7W6WfGdWtl1TdD4WHQ8AgDnmNUD+2YrjxNum3+1R9B+XSiSGrVLcFrVC/Z9R7D8DslIGyMPXbJAFthAMNYs7OdlqPilZtnwtReItC2Ff5vD8mQHwayX/vh1LB+HwoefoZ6LWUKb7WH6D0FmEhEKgwAayAYsoKUCcPepjDQYfA2TMWHoiS1lspYmEi2HdFULic/ucQlrFCCwPxyDeITAUsiAUFggCtZuDuVPLvVtM4WCG6DlrLwBL1JAaQFWuf7/uHZ1WAHEBuz9BMrshS8OhZpwrmYpgUIFoauEJQxtrw2iu9bT1ZLik/F26jhZblz7739qomvexIWc5hKq/GfFAebrnq/23mGuisbZhiROtNdFBDwqCBc2zrTYMfhMPwIF0s37CzzvYKeLjIfQZ3D2N6o+FRgDOkDGFGjCDiy9cJBVMOBWJ1AjDIxTAz/LwSRYuyzhHyDiECf0P53hWshYcMslf0PC0tWfLlUztN1xTxhwgkAudx+IE+NuS3phgEhRBo5lXEG6KhGydUzSU2WphfuFy0VkjH2AIPddbJ679s70tkL1rBEEEEmFgwK5pRCB6ZC5EX7ZCkCTI1pQUDJAwhQoosjBZFAjelFmydnwH9j46Ei5DD9ZaOvgT54UpSh4mD7FR2rjbJjFFdyOauUAjNr/DYBQJkLsUsd2mAXDIMHOuu8ULJhkx21G0UL7fnlqIPfiwdblRpcEaxVjru+6bHpdvj38qAOr1rUACbHrKGDWLFjGCBGYoGREGZBh4aGauRARRTmJdfJBWYoCDdFrBtCgYo6H8NyRIvFfbeTFjxF9riIiIiJABkRljjGMYx1mizcSoJ9AAFqKHXgBBgYnYjs06fFb2fl/bceQ8TeN4h1jrKPd/Pbtl3dl3fnbu7u7u7u7u7u7u7u7u79ZxeoA2gbgjyqd70779v47Lsepzo6y18vJkhQMaDKDNhYbWPpJA6hsD3pzguE4gtOhzrtDoDA3oMbPVBY/3fi0DbkWt7GQwMw2BtpNpeKt+v6KytGxxqCQ8JoLCGKIALFxqwIOeI7fqckjnW8eHjcW3xehEp2SWhvmrtDDdoBSOn6jSjQCgLuhd+EBOwr3q9GbUewJDA4QvH+DpFwt+JbtP30yJTy10KFMLT8MmAGUKkqn3DQHSmTACxjEheIpDhGuZT/WrsHgP+ly7Bsto8UYb2bBvwPRV1O/WaEbmIEMEbQtfphLgUDADF7nayfXs1CXBxYOi1aG36B7rr5EX31tzoym2bTIWw0maxvM3Gs+KAOSMztimS4oGQokBRf5dGKNykDp8tH9chWc9k7/6I+SxG5cZSnx52CFhoDqaZ8wBethxjRVKaRfCZTeBpi6ZNdZFjROy9x6tdgMem0rtuH6wbAz9tKvlhJ0JUP1e+2xVgroJFw8tQxLPdwVnLVMDu+mmfk9b5mK3qMNwiMyBqFaajMIgCDBYUXbdKwwVVhoMXL5YLkI5FFviIkYQTNamuapRILAqCSAYSsIOOVAtAUUrDwBSthRBgyVAM1wBrIQhhTlJKQIwFnj+b+aXuJyerhwx7HxQLofddtH71c6UuefecFIrANhfgkaIt5KL4iV43tMeP17BD8D7Dl8+AQTGQfz/rp3JWOfDodJOcvDAquYl1QQiHknUmAQ3lYpRUtJEUowXnnJnOZjZzdINlj+y7lXBb2uPR6a2E5AC3S6dBaJxYl1qyRXwQ15QflVkAK8AmAwql/n4frTztb/XRXV9J3eXRfv0MuB1OShRrtbrfdudwKxsAYC+QHiNISbAQu46ffUU/Flrw68uJ5L+7p69JjfglHs5PSd0bjADZeFsIWCqy0kQ20m3CskYLPShb0aoDdHoJBUQVEirAUgeRTtUBwAa0INXTIBPMHp9AongtXzSfuWCFQfDtzRuYRVG3WIXUjEg7b2vBZKT4ESq2tTcMyGXlqZN+uJ3CaGHEJB/3Q6/xrGIGIxyzCG5tLlSXx61sy0Bra4IFaYrjF1zJj5JPK/SslbN65uYffnqtyIX9zren+rrSsXVVhq8VZ6DFpnBVlD48AoMeltsyGSZSpdUjR6bM9J+oHRVmhpp2HBv+N4PXeS76ctP4LOLvreBzzyCr2v1K7eBo+dr2gwZ2x9k6EpHd7pNRl6Pv+IgXtj4WmtlEUQxkzWOVcT6jcLrhax5PVvgurz9q7DtdWriVdnpnTlTrQqdvWN6ZNr4OdpMM/T5Gg8irLXS/YOgvhteS49VEj8+IfNiPOf8MfMkUw+lYehdNxKZnNbjIoJiqRY1KVGIOWpRtq4m6GCyiypZKKzWBQq5j8RYJE0NCiyjJmgUmDBi8BoJgMVJYXMF4aGDL2XQ4HDKaRGaGhctNBrShK0bSU1BpFoRaTkkCCUWaDCx1MUXQCaGRhgoqhCHmzrFyZwUFG27KVdmNgbChCbZNAMghZRoXKM0CMEXaUTZswtBpLoCkxONrpa2wL0qn0mw2eV0yXs1MGgGSTcAo/GELIbpoe+8gKSqpV0ZIoIa4UCcM2EdVikuAPuDlU89YsXrb9Zb+Pr/F8NexBBbEwTQs9HmsQGBYPoK6bZKDvj9yyALrlOaMbLpKxRM+njvB4id/1Y1WPm3K2A0BVSlgWJNjYxne6JZ8mZfv7w1Nm3/GFOiwonktduZaRH2loGGhNBUlQiHENkybM8pBim0iaXcpE8dAF4GodlriMfOGH6hHY20huVvSlLDBRKHQ4Y3SyKrmCcy7ZZMDyNqVWWwpS+RHQaYnmEURGCKmQc8ARghpQffVMwK2vz6V97O+59X5foz4jUfN33Z49cKeKObXDE1rNvV2QaDOLOi+R0fl+RM8jVQ7QgNiDMzMgUCLlYO71Vn7X7vF0UcSZX1pu+s+xC4MZXNQCl0/rb68aAY3rOJ/jaw7EOYIIlln6V+oFpwZLOUjUVHfe6pdjXgAqsD219Ri16edZ03hcjePW71C29Wy0nTw5YIfs/Y9sNovb+v8vA1P7beB5bQmvEv59b+BnUs8yqQ5/cLKV0EZRMOGHmpsMrPidWDXTyP3fuO+w/9+kbujeEbdg+n4WXJQBn1kL3Py/M1JnkOu70oufaRPG6bsd6SUhq1TALBZAhKpoyMIvkQGRAzJD+udGR9e+WlVzjlJeqELl+D2smL4vG6BUFpiKHDwqftFBbX+9VV338vNg+5kL11bd1yrZaYZrGW36mrUIRi/MVgrNNITCj++zpFSOrRLE+Prlr3mYOP1TtXvtpOwLP5Kmt+3zZvXSsOXW+ix6mXS5mb1MnTvW0u8yHF356RuzXUyeGiLTe+IvXvKmJrEymIxQT9QMSU8WTHgnJi1BgP/WoqICgO21v9Hiw8IaXJY1619oEj/3cb/7R/nddLm6VA5xoN0t3XY6Hiep4VGnzs/Od0hj8f39YuAC5HvfwvWuOeV5fz820AAGglyrLFDjUrv//M/fwNdsEvj0MrTXrV8vLZfMvKMAzJ0/Sda/28/N0QniGmKhoagYUYMGp8IFDrOoi40L48r/SLxfSSDw9TM4P4vUeHE+iTmchyj7Vmwp7m7dejVSNZx+2Is5jzuf+HmHr2aml3fWein0wnXnxne72A86Cc3hrzXgbfc7lNQiJuGMljn2Y8pgXjrTczIy1teeafy8Tz8vmzBWAAFXfojX/x4Kv/YFNprgURbUBytnsI9/0WeuKmZjrWcumUGQgRDIEUsAwZkQMwPsGTJjpTEw7YAwCs7Oxn2XE+hexXn+z/L7HC65bJhCR3SxMdHngfkGgqJnhYzTGjw9StB6E4VI6SgkdNEdesLFW0cgxeYq7YABEPlMspZSBtZDQYZMvK9Cbu/UzXvja7MLlO4BfVYkMH5dwAfQ3u9WEkCoveLyp86iGmleemxREJQ0NoFyWpMxsNQCuuLGCdP703Uv1a3JeT7vfpxp8J+o/ft+J70dz7dV+1QEcxyT6REE6vsl2+0Yd8ayjKWBg2j8pRTeGhVxiYZDc6/YatrSzsw56wbWzGkp3FLpa8+60pan1LSvb+rcfyjTyEM7yC5BVyZL4r0qVCMZRc+AMHxlyZMP5QQiFATNqpVSdy8i66S7oSIl4APKPMzOTus/KeI8rrY6qBkuRSWT0y7LGvNz4KBjigkR4r0v9/bluxFmxePnvZRhpjgezOiX6bPa5LZkzsaLjmf6NzPP1ZfH9p7j4MsQL0YMETXjeb/5lAYcJWU1RECXppb+33HdO5Etl4xLXPxfV8cGZ43FFYXKVoMFQHssoAIzyiClcZR8W8vqiACqmcw8DAwzLM+FeLFaAYRiJ1DFqKh2Fcs+6Zd6erYKNpF09oZhCZNX4DO1OL94JPGTBXIPMmPjmDb0GlmwFaWG2CUqSjhc20YNd6Wwzu52BklGYvDcMnERi4Yh1wqwcOlqiLatNe4rj8FcXDxqMSsgYP5/FnSoTq2VVKttXQ3Gxq0q0Shp+qCbIAeWxu1Ynpd88H5zJfn/V+v+5/N7nyR7Q+n02bmML7aF1Sg+a32Ud2eQx2a8dQqTABf2SKJgvKADJgAJV8Rd0Wt1oIVj9nr/ZfC7fkbdqnS9R4eIbqH2HVNjOYdggfFeSAHKIkaC5R2rzEzdxs7dDCzizsiB7OluhJplyBBWKXPmS0tsUNnNs2D8zfW/QTSAr0EcsnQ/YPZBD4D0rHa3rkC2DHq+G97XfliTeY63fQow3RQpyKsCFgdUC2sF7aep4TmSDjlnDDpfIUJ3Ne7AMT4D7xpuM+j1hXBxYcyIpO3bvLubMhwY3Lrr6KfLP4PF0tpDjMOew5rBbSSUJPAfRMkDCSBum/B7S97oYaYZS56rtu79Vh408mfXcm6HcL0Qe7fRiqav0GhPcuxMpZIm/WHpICgBUirY8aK56MaW53+L/x+BbXNrjaySqntSLsoHFEiExu5hX7+yaqu7Ss2LrWVpPp9L8fuVDJdVcPqIQRFv/gWlUadkCUYMxFQf26Nlq3czS1/zwLAGILGRazcevp3q9/0O/YUWwXKvQTQghgHliLIIbcY0XxVr/9oV2++gsQ57NkRK084MjYapPJJ6Gd7WONsJRq6iIJo0GH/kO9e74wvERAiMW7UqLI+2obG59Xcazzvdk2UIhBDN4V/KqrwHJ9EpMftxjsugftMee96M9+G1DfnomWt7OmvNC5TP5/Fa50GNfJjieHFJ0mwlIothDYzg3BQyahykpudGZEmgiK9ViiKhI9ypBUuKuau8PitJWe1r0kVIrV4VRDTDa74vSvBytKDcNCzJ66Oq5G+hTTGgbpBMS6pJTOmrIjb0m9HsPvrI3rQhSkRYc1aEmn4+CFS9MpIxTpLccqtp+dpwTDqQfFDvleEeOfwGuSJEiR4QBtGkWjWrKysrJEiRI3Pd252xBk1NTBRRRZZZZZZZZZe4EJvbjqWGaaZgEypipYBc9da7d615Ozv+0TPBMoiPZt+OB7H2evtWBqyXzg9jgyNarCYQHxeABDu8KyT59xFO4fpXed3nMVTnQhwffnGz0DpW+c5RkbdjYgCQgDV6Sk3OZyVhq5u3M66CH4jQq6byDLwIv8D7ipARoPE7/rm7y2+93QALi1QT9F/QCxMDOQkHeUdC+o3NN9GXve/W1Ua/wcVgmxFD1YTuKB+xQIiSdMyXLjSbjWwNfsJH8DqADRWZHIyjHLolbAN4CAMrT3YQqcfwcVf9TtpcgPfzwWRN7XWJzrS1KzOVWXccRQ+9TusY64JEtzfyHJnKixBwcbgCBAgQiIiIiiqp3Pje3Y4/hFGgiIiqrTGMYxtsZSR3dlixYyrLVZTH79fh8yNTc4ezofRU9vjHOIATEYEQNb4IG7bzkD59jIzRNInn9c62cuu1ZkYpfHu7uokt8nd1Hc6ApKjEt2qqbEG2l6oUPERCkrFLjmUay3EPnj2vUe43MqIYdrm3PZT7WrLfnw7y9is1SEtuI3OsO3EW80l8imWVq1Yje2a7qnbRVNK7eZSUzwnE6j9CLm24oqbZ35UTokBKroRjwJNyCBEACLMRjnOy84O5zJREd0g8Xa+y0W7O3tcCI+46EvAjDUyqYnOCQAfEhYjlWVo9HFVl0Fk1g6rWywYXLyW9gmyJHKcFdans6g078Q9ryUjaXacP7/PvwauCguS3VK61FsSTIa5RZd+GJqurSiskfDyz7d0Bd7WxYHfJfTrpTamo87sRYMCEdyYaUdCzhu3027ABTtQCAnwKi9q3KK/rIpk6zEjGHEvADnOwuJ1nOvPr8XZNswFPZ07G/LauwBMG1tOWNT76s7Jw1OxxW1BImaJT6XUIQ/1VPRP6UZLBjAVwit2h7xS6TLbCUnzPvqOrOfrbFh/ZAFnP7jW/zIMkMNMUk5C20iKshen2HLTcv3ge8jBXRbUso7c88qlYXXozqDXWcHg21XXWzupu9YmNN2aY8W/tJ3ru1cs4YtK5b/YBitp4WYoOvZCpCIC0Ju2+xw3MABgLVFBetW9KA2pqTQMLlkKFfMNANN6+JBLD7W6/i0AiMi2fIgslxtlD+bdgBbDk1FxvsbR+npU23xUVtnBjvadzYRwqwnvWSPbrgxgFM01Y2yuGIJh4HBXDlmKSUokWxg39HUAD4u4+D8ivAiXNQkqnkKxTsDkVM+u/s6rx/w/VPZ1yL9nnzJm2YZ9Wl+9izPDiRnfzWU5Eo5duybQnktKu3b+J3pVuuBmmnebBXfiZtkpUjLRKvtuhD3GDAd3t8lPpMQgVQmkICwxxqhUhLQMPWxbwjlswPn5rmN8Fi0j25H0DYQMgIsU4+OvNxfxINfZR+ndisEVJrn6M1cgs+qsqW2AYv5gIBUG2nAI2sRJdPp0pkIFsJQ9DC0Exajuxg+5pGLShRHi9wPxlNGkITynkwYgPc5Bjm1ceZiqsTuXbr2ZrcqBszMKehW3A7cYHig2nqO46ef4275H+NjUxZ7Yxj0XWdJ+CBStOyj3EqZrP6f8049HRTOibY6aHBkysu7Zy/0S6gyH3v1st5NJVth4dqmwuarDr5z62e9OpPUqH6te3WRJmOs5XNggNsBgGGgo4SSlh/wYAXsqj3aHIiODcmQbAbQltCKcIoU5klptJHQ0l2P4Tgjad8WBWp9XyPm/j3QYeU5tV+GSJ4bCaYcK2PA4Spq7rr4bGK2La8fhcB+ZpbeVZdDoKcxwCBZQgvQmADvnSmoonhrOe7esVg+7JS5aUYwMCekjlC6YlQHUxfh1evKIB8OGrutYZ4YX41h6Jq6hHuvnBsJnjhYHY81i95iJiJTU6/T7VS3gB1qH0ACm35YBe58z7ceWShP5goYAvCcHOTphatcimJSi7e8cPtVNlLBeanev47WzlgmaIlrfg8PQALIwuyc+Ce7PTEdI6IMaL62wH5dzYaANEsRgmxYif+uWKupAwqrJ4eXO3BFsHrOiYQRSnB5GwA01qir3ZWamHuBtKIrzLS3by/XYFMY2AJEnhaR7ycHZFV8q2AKplu2J5dsQ24LL0qZisABXaOzHlwBFOQv0vOYWldhDsVt5f3Y4pEAsNwPQChB5QmJB9EYeqbx1Mx3plDVGMY02NMYxjG228wkHXLQBuctwIzDl0DNb2d3Zr2eV57mni8HxuT3pPieEQB9MdPlRq2ASoAJ5D34BKD2+jwhMSM3k9e3pXf6aOC4LK2IgIYJ4xQMEhhPzy+0BRQRAMTrG+uVq2FlPAAWvayCMW6HdOctiAZvYzmADuOlcPkF5QWJAaMRsb5I0Onl1kWwDFstny1tu3cPUt/f34gagGAiIG0z+LwJMwuBjAAO0oXQ+j2OhzkkDWu/H1iOt9LZS2d9xud3NjEIOUBcEGiLbYAIhuk6kG3QiZ7Vx448qOR0823ux6gaDAo/m7VGENCDY55QyihE8PY2c3FAOq0eB5VrR2rVOD8Pk54g10gYFruoShyCA600IlGADNkNWFwSUq26fo1MfJozZb8ivAWwKtUCnsIy1VVc6gilxgZXuOpIn5NqpQ4t1rnTCc+zVGQ8dLhuE4NDF7wA+sXOKNy3yzCWV69Yg3C0AUAEgSDmXcoIVu+dFgcdgdaEhA+iWl1AC/p9ikx5Lmxupjb3zEXwOwav5pXeGFu/i1uQdRtu2CBnIi7j7vIXJ+0+JkKDrtuikSysRrZuAkIPGGIXa2KOvhm+tzKtliPPcIGhgwSePz0mjUO5L7zzmcZMHoTM00cmhmTJXLHXXVL0wJj4s1MzRHFFiZHJnI5xbqYKxtqajjQWsuDBeCnFPf3bjFXVC0XXPfJZnZvcUOvlJ5TfVc9np7+YKcF8Pr101cACqIsDSQrhevDLMRutoELrdyRd4yc4EBhnWVGVUo4LsLWMYimrKjHNShUXacMGzWd1rteL0aqM9Wd9vU8jWwVgD0CDq0ypYdiu5V1wDsEFjDwLXJ6pe46MvOgOONLlAwPQwQmNUX+2AdnCCSJdjtaAefC8AY7bANwtVktFIQWVBQ95dSmjz8VnKFc5xsXgOQl3TQHPvghbPELlyOR3/IjaKbR4oXeqF4EjmEktr0SghMIXS60jhlBQIfEIJnyehMgiETwigxDpiHows1RgnEalhk2EzYwRLmRwajUmIaCFSzCXWStGaaJgaMaFOidK9crUyN2ZuYmDCMxbjQvOVrOaRTDXXVeCjhum+v9g5xzwDtdCQ0k+kA7IgR/IB4DE2B6gEv0Dv6l1YUCwQl4cgIQLDp7+vyQ0Ua6AogR/cA0tRku3sTszsBxdKvDwb0HSuapgWAtRzrmM+GLTWgg8og8IOyt6ZvFLTvQ6TdIU4jAZ9qJLorPPx8ToMIzve9bunjAzUZTwZAuejvlIVhEDGHZ43P+c2vnuH0s6xLjGN5IxE0xoW1w0CkEhDEzZIIIKKKJQkS+HFVRzrtPvD4ASgRgCszCJ7egCW+IZ1AZrFQIbETEL8gYz6s0SYtQwYi6Qsmdq1IQVCNcDQEDNHPNnw9vKmss525+DcQrAWHAQARzWHlAGPJFvL0qtVnM2mDSOxfDb56lUUmGI9SmNfCBxBRJtxwA+2eJCOmpSpXLFbYv8diZyMpTv2LEbyMNcTJr20IxsYzUrvRbyu5dvYHUZsRs8gfCLXUEVYi8a2a9PXF+ZtLPx0ZOLRblX8XTa0QJJSoa+VKRIKD5RCmFKYOIiBoFAUCXYIXCCWZKNExSIoiMUmCpS01EkRLAsoE0NCxCz8oQK0iCYNZrgS0sWA4zJgpKMgxYZxIN0k6OoboxHmMgmKyNy3rUrA2BW11g0yU50ArBdUNYm7rW6l+FmQDmsfUcr8Nxpt6ME1pzmPW2YuvyqQA1FEqGKaOFgPS4YwF0qjqJ96aNghQyxO4ETMPCpx6cPhE1xsRksh7qapVjAG7QQVa6blYCqhJolWKylASeNpfutZRkWEfehrAM1hps1M6VN9y+8pnOeOL3eSrvGKkr3kEDbExtsYADtYMAhLoFzWdZo6F3T89cLurlkYDQ8iWVgjINJHQatNc/BZZPPYhX7J3dX5zJTnZ1pJIV4y+k2MF25BTUhIvz2okmED6ax7KgYdJtMkMMjHiBpMVmJIippQbqyHkJreoQDGrZe8QH4qNpIBqEHFpVTrJVwkLCu5ds3+pbccosPAGFjP4J0AB15EXRr4rcAbXmibqr2600yb4dM8VbMHACFOCBZhZIxpWCMkDUZIBUQoKpooWCkAnBzOK5na/LqSSLTATYIaabQCteZkFlqs0bDPpuWAcNiRn6GWSnwrsatNVFIK0+WUGVX3p1UghXmamW9amFzoPHfP2Z3WLhW9ZEaq0DQiqOJyRC17MYwQA84eUDjyR/GOBNpNoO1pV6NwwsBZoAgBWz+M+YS5GC+Su1IEB0A5in0LwPQxXq7joeDPBdd3DzF6z96RTojxR29u8vE3GnO6jAa0MBmCuoxyYl/SDsbSpYIlMINttOUZndGWJ2JgBs8s7bw1GhnALOxFBnZayRRjt4bSvH+Ma9WNZSaKBoUDtDEQNIMt5XAZJIvEFZSahWUgL7ADIBAjZYJVAK8NHljSCRbLZdxbuCkFfrZVirL+GkBWYaJFCoglTaEWtiguhCVZNjj+c9eMUMbOVJQmcHOmKmRIKboAMkAbohUflNANgubKuhTXDGSlSKY0PetmdL+7bQoIJCVRY+osfasgH1NADQYBBoYd+dccoSIhapDyYkRkhkYGAZDWCMlJReDHnRJZKAxUYiJmPGYriVoGAkdW2QI785BQQakRBFiFEknMOMGpw8jj8a7sLaWrGrZ5gDnB2Ys6AFHfczh5BvVw8R6n1P4QHEbDeIf/i7kinChIP/Mpng="
23
+ kernels = Kernel(
24
+ bz2.decompress(base64.b64decode(quantization_code)),
25
+ [
26
+ "int4_to_fp16",
27
+ "fp16_to_int4",
28
+ "int8_to_fp16",
29
+ "fp16_to_int8",
30
+ "int4_to_bf16",
31
+ "bf16_to_int4",
32
+ "int8_to_bf16",
33
+ "bf16_to_int8",
34
+ ],
35
+ )
36
+ except Exception as exception:
37
+ kernels = None
38
+ logger.warning("Failed to load kernels:" + str(exception))
39
+
40
+ def quant4(weight: torch.Tensor, scale: torch.Tensor):
41
+ stream = torch.cuda.current_stream()
42
+ num_row = weight.size(0)
43
+ num_chan_fp16 = weight.size(1)
44
+ # 4bit
45
+ num_chan_int = num_chan_fp16 // 8
46
+ qweight = torch.zeros((num_row, num_chan_int), dtype=torch.int32, device=weight.device)
47
+ intweight = torch.empty(num_row, num_chan_fp16, dtype = torch.int32)
48
+ intweight = torch.clip(torch.round(weight.to(scale.dtype) / scale[:, None]),-16, 15).to(dtype=torch.int32)
49
+
50
+ for j in range(num_chan_int):
51
+ qweight[:, j] = ((intweight[:, j*8+7] & 0x0f) << 28) \
52
+ | ((intweight[:, j*8+6] & 0x0f) << 24) \
53
+ | ((intweight[:, j*8+5] & 0x0f) << 20) \
54
+ | ((intweight[:, j*8+4] & 0x0f) << 16) \
55
+ | ((intweight[:, j*8+3] & 0x0f) << 12) \
56
+ | ((intweight[:, j*8+2] & 0x0f) << 8) \
57
+ | ((intweight[:, j*8+1] & 0x0f) << 4) \
58
+ | ((intweight[:, j*8] & 0x0f))
59
+ return qweight
60
+
61
+ def dequant4(qweight: torch.Tensor, scale: torch.Tensor, input: torch.Tensor):
62
+ stream = torch.cuda.current_stream()
63
+ num_row = qweight.size(0)
64
+ num_chan_int = qweight.size(1)
65
+ # 4bit
66
+ num_chan_fp16 = num_chan_int * 8
67
+
68
+ out = torch.empty((num_row, num_chan_fp16), dtype=input.dtype, device=qweight.device)
69
+
70
+ blockDim = (128, 1, 1)
71
+ gridDim = ((num_chan_int + blockDim[0] - 1) // blockDim[0], num_row, 1)
72
+ if input.dtype == torch.bfloat16:
73
+ kernels.int4_to_bf16(
74
+ gridDim,
75
+ blockDim,
76
+ 0,
77
+ stream,
78
+ [ctypes.c_void_p(out.data_ptr()), ctypes.c_void_p(qweight.data_ptr()),
79
+ ctypes.c_void_p(scale.data_ptr()), ctypes.c_int32(num_row), ctypes.c_int32(num_chan_int), ctypes.c_int32(num_chan_fp16)],
80
+ )
81
+ elif input.dtype == torch.float16:
82
+ kernels.int4_to_fp16(
83
+ gridDim,
84
+ blockDim,
85
+ 0,
86
+ stream,
87
+ [ctypes.c_void_p(out.data_ptr()), ctypes.c_void_p(qweight.data_ptr()),
88
+ ctypes.c_void_p(scale.data_ptr()), ctypes.c_int32(num_row), ctypes.c_int32(num_chan_int), ctypes.c_int32(num_chan_fp16)],
89
+ )
90
+ return out
91
+
92
+ class QLinear(torch.nn.Module):
93
+ def __init__(self, bits: int, weight: torch.Tensor, bias=None):
94
+ super().__init__()
95
+ self.quant_bits = bits
96
+ self.scale = weight.abs().max(dim=-1).values / ((2 ** (bits - 1)) - 1)
97
+ self.scale = self.scale.to(torch.float32)
98
+ if self.quant_bits == 4:
99
+ self.weight = quant4(weight, self.scale)
100
+ elif self.quant_bits == 8:
101
+ self.weight = torch.round(weight.to(self.scale.dtype) / self.scale[:, None]).to(torch.int8)
102
+ if self.quant_bits == 8:
103
+ self.weight = self.weight.T
104
+ self.bias = None
105
+
106
+ def forward(self, input):
107
+ if self.quant_bits == 4:
108
+ assert(input.dtype == torch.bfloat16 or input.dtype == torch.float16)
109
+
110
+ if self.weight.device != input.device:
111
+ self.weight = self.weight.to(input.device)
112
+ self.scale = self.scale.to(input.device)
113
+
114
+ if self.quant_bits == 4:
115
+ self.scale = self.scale.to(input.dtype)
116
+ rweight = dequant4(self.weight, self.scale, input).T
117
+ output = torch.matmul(input, rweight)
118
+ elif self.quant_bits == 8:
119
+ rweight = self.weight.to(input.dtype) * self.scale.to(input.dtype)
120
+ output = torch.matmul(input, rweight)
121
+ if self.bias is not None:
122
+ output = output + self.bias
123
+ return output
rng_state_0.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:a118cdad874e46838801d9c7548cab04dc2a590c59d5cdd5d061e814500301ed
3
+ size 21687
rng_state_1.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:ae9d159f9d8e01065d2faf211aa451a41fa03cf513d15d96ed19781625f0f17d
3
+ size 21687
rng_state_2.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:cdaf5a1f643d3d172c1f22702aa6ef7a128eb925a89ff542ad832a7b5d119173
3
+ size 21687
rng_state_3.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:0bd1bb67ec48f262adbb9ab9ca45e647cef2a853f78095fd748c47258c0fefe3
3
+ size 21687
rng_state_4.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:fff3be49764eac7f30ddf56707cca6516b91fe343c27fd8739f3ee2f6c096833
3
+ size 21687
rng_state_5.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:8659227dd6e0b64c6f71c64b0f35092a523f4f7660d545ca53b8281a1d230167
3
+ size 21687
rng_state_6.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:5f36b5a916ec825a4e78aed91ab2b13b2c8e006ccc75cabb6e74078d41f89369
3
+ size 21687
rng_state_7.pth ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:a0d61140cb3373aa861cbf10ea5532af699368a670d67b8ce275c2ac09e848f7
3
+ size 21687
special_tokens_map.json ADDED
@@ -0,0 +1,30 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ {
2
+ "bos_token": {
3
+ "content": "<s>",
4
+ "lstrip": false,
5
+ "normalized": true,
6
+ "rstrip": false,
7
+ "single_word": true
8
+ },
9
+ "eos_token": {
10
+ "content": "</s>",
11
+ "lstrip": false,
12
+ "normalized": true,
13
+ "rstrip": false,
14
+ "single_word": true
15
+ },
16
+ "pad_token": {
17
+ "content": "<unk>",
18
+ "lstrip": false,
19
+ "normalized": true,
20
+ "rstrip": false,
21
+ "single_word": true
22
+ },
23
+ "unk_token": {
24
+ "content": "<unk>",
25
+ "lstrip": false,
26
+ "normalized": true,
27
+ "rstrip": false,
28
+ "single_word": true
29
+ }
30
+ }
tokenization_baichuan.py ADDED
@@ -0,0 +1,232 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ # Copyright (c) 2023, Baichuan Intelligent Technology. All rights reserved.
2
+
3
+ import os
4
+ from shutil import copyfile
5
+ from typing import Any, Dict, List, Optional, Tuple
6
+
7
+ import sentencepiece as spm
8
+ from transformers.tokenization_utils import AddedToken, PreTrainedTokenizer
9
+ from transformers.utils import logging
10
+
11
+
12
+ logger = logging.get_logger(__name__)
13
+
14
+ VOCAB_FILES_NAMES = {"vocab_file": "tokenizer.model"}
15
+
16
+ PRETRAINED_VOCAB_FILES_MAP = {
17
+ "vocab_file": {},
18
+ "tokenizer_file": {},
19
+ }
20
+ PRETRAINED_POSITIONAL_EMBEDDINGS_SIZES = {}
21
+
22
+
23
+ class BaichuanTokenizer(PreTrainedTokenizer):
24
+ """
25
+ Construct a Baichuan tokenizer. Based on byte-level Byte-Pair-Encoding.
26
+
27
+ Args:
28
+ vocab_file (`str`):
29
+ Path to the vocabulary file.
30
+ """
31
+
32
+ vocab_files_names = VOCAB_FILES_NAMES
33
+ pretrained_vocab_files_map = PRETRAINED_VOCAB_FILES_MAP
34
+ max_model_input_sizes = PRETRAINED_POSITIONAL_EMBEDDINGS_SIZES
35
+ model_input_names = ["input_ids", "attention_mask"]
36
+
37
+ def __init__(
38
+ self,
39
+ vocab_file,
40
+ unk_token="<unk>",
41
+ bos_token="<s>",
42
+ eos_token="</s>",
43
+ pad_token=None,
44
+ sp_model_kwargs: Optional[Dict[str, Any]] = None,
45
+ add_bos_token=True,
46
+ add_eos_token=False,
47
+ clean_up_tokenization_spaces=False,
48
+ **kwargs,
49
+ ):
50
+ self.sp_model_kwargs = {} if sp_model_kwargs is None else sp_model_kwargs
51
+ bos_token = AddedToken(bos_token, lstrip=False, rstrip=False) if isinstance(bos_token, str) else bos_token
52
+ eos_token = AddedToken(eos_token, lstrip=False, rstrip=False) if isinstance(eos_token, str) else eos_token
53
+ unk_token = AddedToken(unk_token, lstrip=False, rstrip=False) if isinstance(unk_token, str) else unk_token
54
+ pad_token = AddedToken(pad_token, lstrip=False, rstrip=False) if isinstance(pad_token, str) else pad_token
55
+ super().__init__(
56
+ bos_token=bos_token,
57
+ eos_token=eos_token,
58
+ unk_token=unk_token,
59
+ pad_token=pad_token,
60
+ add_bos_token=add_bos_token,
61
+ add_eos_token=add_eos_token,
62
+ sp_model_kwargs=self.sp_model_kwargs,
63
+ clean_up_tokenization_spaces=clean_up_tokenization_spaces,
64
+ **kwargs,
65
+ )
66
+ self.vocab_file = vocab_file
67
+ self.add_bos_token = add_bos_token
68
+ self.add_eos_token = add_eos_token
69
+ self.sp_model = spm.SentencePieceProcessor(**self.sp_model_kwargs)
70
+ self.sp_model.Load(vocab_file)
71
+
72
+ def __getstate__(self):
73
+ state = self.__dict__.copy()
74
+ state["sp_model"] = None
75
+ return state
76
+
77
+ def __setstate__(self, d):
78
+ self.__dict__ = d
79
+ self.sp_model = spm.SentencePieceProcessor(**self.sp_model_kwargs)
80
+ self.sp_model.Load(self.vocab_file)
81
+
82
+ @property
83
+ def vocab_size(self):
84
+ """Returns vocab size"""
85
+ return self.sp_model.get_piece_size()
86
+
87
+ def get_vocab(self):
88
+ """Returns vocab as a dict"""
89
+ vocab = {self.convert_ids_to_tokens(i): i for i in range(self.vocab_size)}
90
+ vocab.update(self.added_tokens_encoder)
91
+ return vocab
92
+
93
+ def _tokenize(self, text):
94
+ """Returns a tokenized string."""
95
+ return self.sp_model.encode(text, out_type=str)
96
+
97
+ def _convert_token_to_id(self, token):
98
+ """Converts a token (str) in an id using the vocab."""
99
+ return self.sp_model.piece_to_id(token)
100
+
101
+ def _convert_id_to_token(self, index):
102
+ """Converts an index (integer) in a token (str) using the vocab."""
103
+ token = self.sp_model.IdToPiece(index)
104
+ return token
105
+
106
+ def convert_tokens_to_string(self, tokens):
107
+ """Converts a sequence of tokens (string) in a single string."""
108
+ current_sub_tokens = []
109
+ out_string = ""
110
+ prev_is_special = False
111
+ for i, token in enumerate(tokens):
112
+ # make sure that special tokens are not decoded using sentencepiece model
113
+ if token in self.all_special_tokens:
114
+ if not prev_is_special and i != 0:
115
+ out_string += " "
116
+ out_string += self.sp_model.decode(current_sub_tokens) + token
117
+ prev_is_special = True
118
+ current_sub_tokens = []
119
+ else:
120
+ current_sub_tokens.append(token)
121
+ prev_is_special = False
122
+ out_string += self.sp_model.decode(current_sub_tokens)
123
+ return out_string
124
+
125
+ def save_vocabulary(self, save_directory, filename_prefix: Optional[str] = None) -> Tuple[str]:
126
+ """
127
+ Save the vocabulary and special tokens file to a directory.
128
+
129
+ Args:
130
+ save_directory (`str`):
131
+ The directory in which to save the vocabulary.
132
+
133
+ Returns:
134
+ `Tuple(str)`: Paths to the files saved.
135
+ """
136
+ if not os.path.isdir(save_directory):
137
+ logger.error(f"Vocabulary path ({save_directory}) should be a directory")
138
+ return
139
+ out_vocab_file = os.path.join(
140
+ save_directory, (filename_prefix + "-" if filename_prefix else "") + VOCAB_FILES_NAMES["vocab_file"]
141
+ )
142
+
143
+ if os.path.abspath(self.vocab_file) != os.path.abspath(out_vocab_file) and os.path.isfile(self.vocab_file):
144
+ copyfile(self.vocab_file, out_vocab_file)
145
+ elif not os.path.isfile(self.vocab_file):
146
+ with open(out_vocab_file, "wb") as fi:
147
+ content_spiece_model = self.sp_model.serialized_model_proto()
148
+ fi.write(content_spiece_model)
149
+
150
+ return (out_vocab_file,)
151
+
152
+ def build_inputs_with_special_tokens(self, token_ids_0, token_ids_1=None):
153
+ bos_token_id = [self.bos_token_id] if self.add_bos_token else []
154
+ eos_token_id = [self.eos_token_id] if self.add_eos_token else []
155
+
156
+ output = bos_token_id + token_ids_0 + eos_token_id
157
+
158
+ if token_ids_1 is not None:
159
+ output = output + bos_token_id + token_ids_1 + eos_token_id
160
+
161
+ return output
162
+
163
+ def get_special_tokens_mask(
164
+ self, token_ids_0: List[int], token_ids_1: Optional[List[int]] = None, already_has_special_tokens: bool = False
165
+ ) -> List[int]:
166
+ """
167
+ Retrieve sequence ids from a token list that has no special tokens added. This method is called when adding
168
+ special tokens using the tokenizer `prepare_for_model` method.
169
+
170
+ Args:
171
+ token_ids_0 (`List[int]`):
172
+ List of IDs.
173
+ token_ids_1 (`List[int]`, *optional*):
174
+ Optional second list of IDs for sequence pairs.
175
+ already_has_special_tokens (`bool`, *optional*, defaults to `False`):
176
+ Whether or not the token list is already formatted with special tokens for the model.
177
+
178
+ Returns:
179
+ `List[int]`: A list of integers in the range [0, 1]: 1 for a special token, 0 for a sequence token.
180
+ """
181
+ if already_has_special_tokens:
182
+ return super().get_special_tokens_mask(
183
+ token_ids_0=token_ids_0, token_ids_1=token_ids_1, already_has_special_tokens=True
184
+ )
185
+
186
+ bos_token_id = [1] if self.add_bos_token else []
187
+ eos_token_id = [1] if self.add_eos_token else []
188
+
189
+ if token_ids_1 is None:
190
+ return bos_token_id + ([0] * len(token_ids_0)) + eos_token_id
191
+ return (
192
+ bos_token_id
193
+ + ([0] * len(token_ids_0))
194
+ + eos_token_id
195
+ + bos_token_id
196
+ + ([0] * len(token_ids_1))
197
+ + eos_token_id
198
+ )
199
+
200
+ def create_token_type_ids_from_sequences(
201
+ self, token_ids_0: List[int], token_ids_1: Optional[List[int]] = None
202
+ ) -> List[int]:
203
+ """
204
+ Creates a mask from the two sequences passed to be used in a sequence-pair classification task. An ALBERT
205
+ sequence pair mask has the following format:
206
+
207
+ ```
208
+ 0 0 0 0 0 0 0 0 0 0 0 1 1 1 1 1 1 1 1 1
209
+ | first sequence | second sequence |
210
+ ```
211
+
212
+ if token_ids_1 is None, only returns the first portion of the mask (0s).
213
+
214
+ Args:
215
+ token_ids_0 (`List[int]`):
216
+ List of ids.
217
+ token_ids_1 (`List[int]`, *optional*):
218
+ Optional second list of IDs for sequence pairs.
219
+
220
+ Returns:
221
+ `List[int]`: List of [token type IDs](../glossary#token-type-ids) according to the given sequence(s).
222
+ """
223
+ bos_token_id = [self.bos_token_id] if self.add_bos_token else []
224
+ eos_token_id = [self.eos_token_id] if self.add_eos_token else []
225
+
226
+ output = [0] * len(bos_token_id + token_ids_0 + eos_token_id)
227
+
228
+ if token_ids_1 is not None:
229
+ output += [1] * len(bos_token_id + token_ids_1 + eos_token_id)
230
+
231
+ return output
232
+
tokenizer.model ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:f7d1ab69d25c74644af5c5e4dcd1cc6e96d33783dbd257b6bdea55b643c72813
3
+ size 1136765
tokenizer_config.json ADDED
@@ -0,0 +1,46 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ {
2
+ "add_bos_token": false,
3
+ "add_eos_token": false,
4
+ "auto_map": {
5
+ "AutoTokenizer": [
6
+ "tokenization_baichuan.BaichuanTokenizer",
7
+ null
8
+ ]
9
+ },
10
+ "bos_token": {
11
+ "__type": "AddedToken",
12
+ "content": "<s>",
13
+ "lstrip": false,
14
+ "normalized": true,
15
+ "rstrip": false,
16
+ "single_word": true
17
+ },
18
+ "clean_up_tokenization_spaces": false,
19
+ "eos_token": {
20
+ "__type": "AddedToken",
21
+ "content": "</s>",
22
+ "lstrip": false,
23
+ "normalized": true,
24
+ "rstrip": false,
25
+ "single_word": true
26
+ },
27
+ "model_max_length": 4096,
28
+ "pad_token": {
29
+ "__type": "AddedToken",
30
+ "content": "<unk>",
31
+ "lstrip": false,
32
+ "normalized": true,
33
+ "rstrip": false,
34
+ "single_word": true
35
+ },
36
+ "sp_model_kwargs": {},
37
+ "tokenizer_class": "BaichuanTokenizer",
38
+ "unk_token": {
39
+ "__type": "AddedToken",
40
+ "content": "<unk>",
41
+ "lstrip": false,
42
+ "normalized": true,
43
+ "rstrip": false,
44
+ "single_word": true
45
+ }
46
+ }
trainer_state.json ADDED
@@ -0,0 +1,15 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ {
2
+ "best_metric": null,
3
+ "best_model_checkpoint": null,
4
+ "epoch": 0.9898305084745763,
5
+ "global_step": 73,
6
+ "is_hyper_param_search": false,
7
+ "is_local_process_zero": true,
8
+ "is_world_process_zero": true,
9
+ "log_history": [],
10
+ "max_steps": 219,
11
+ "num_train_epochs": 3,
12
+ "total_flos": 17335498833920.0,
13
+ "trial_name": null,
14
+ "trial_params": null
15
+ }
training_args.bin ADDED
@@ -0,0 +1,3 @@
 
 
 
 
1
+ version https://git-lfs.github.com/spec/v1
2
+ oid sha256:1a9d016afe9653bad1d649853ae9ca3db4970eda45cacde7f69e0f9fe77af5bf
3
+ size 6011
zero_to_fp32.py ADDED
@@ -0,0 +1,578 @@
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
+ #!/usr/bin/env python
2
+
3
+ # Copyright (c) Microsoft Corporation.
4
+ # SPDX-License-Identifier: Apache-2.0
5
+
6
+ # DeepSpeed Team
7
+
8
+ # This script extracts fp32 consolidated weights from a zero 2 and 3 DeepSpeed checkpoints. It gets
9
+ # copied into the top level checkpoint dir, so the user can easily do the conversion at any point in
10
+ # the future. Once extracted, the weights don't require DeepSpeed and can be used in any
11
+ # application.
12
+ #
13
+ # example: python zero_to_fp32.py . pytorch_model.bin
14
+
15
+ import argparse
16
+ import torch
17
+ import glob
18
+ import math
19
+ import os
20
+ import re
21
+ from collections import OrderedDict
22
+ from dataclasses import dataclass
23
+
24
+ # while this script doesn't use deepspeed to recover data, since the checkpoints are pickled with
25
+ # DeepSpeed data structures it has to be available in the current python environment.
26
+ from deepspeed.utils import logger
27
+ from deepspeed.checkpoint.constants import (DS_VERSION, OPTIMIZER_STATE_DICT, SINGLE_PARTITION_OF_FP32_GROUPS,
28
+ FP32_FLAT_GROUPS, ZERO_STAGE, PARTITION_COUNT, PARAM_SHAPES, BUFFER_NAMES,
29
+ FROZEN_PARAM_SHAPES, FROZEN_PARAM_FRAGMENTS)
30
+
31
+
32
+ @dataclass
33
+ class zero_model_state:
34
+ buffers: dict()
35
+ param_shapes: dict()
36
+ shared_params: list
37
+ ds_version: int
38
+ frozen_param_shapes: dict()
39
+ frozen_param_fragments: dict()
40
+
41
+
42
+ debug = 0
43
+
44
+ # load to cpu
45
+ device = torch.device('cpu')
46
+
47
+
48
+ def atoi(text):
49
+ return int(text) if text.isdigit() else text
50
+
51
+
52
+ def natural_keys(text):
53
+ '''
54
+ alist.sort(key=natural_keys) sorts in human order
55
+ http://nedbatchelder.com/blog/200712/human_sorting.html
56
+ (See Toothy's implementation in the comments)
57
+ '''
58
+ return [atoi(c) for c in re.split(r'(\d+)', text)]
59
+
60
+
61
+ def get_model_state_file(checkpoint_dir, zero_stage):
62
+ if not os.path.isdir(checkpoint_dir):
63
+ raise FileNotFoundError(f"Directory '{checkpoint_dir}' doesn't exist")
64
+
65
+ # there should be only one file
66
+ if zero_stage == 2:
67
+ file = os.path.join(checkpoint_dir, "mp_rank_00_model_states.pt")
68
+ elif zero_stage == 3:
69
+ file = os.path.join(checkpoint_dir, "zero_pp_rank_0_mp_rank_00_model_states.pt")
70
+
71
+ if not os.path.exists(file):
72
+ raise FileNotFoundError(f"can't find model states file at '{file}'")
73
+
74
+ return file
75
+
76
+
77
+ def get_checkpoint_files(checkpoint_dir, glob_pattern):
78
+ # XXX: need to test that this simple glob rule works for multi-node setup too
79
+ ckpt_files = sorted(glob.glob(os.path.join(checkpoint_dir, glob_pattern)), key=natural_keys)
80
+
81
+ if len(ckpt_files) == 0:
82
+ raise FileNotFoundError(f"can't find {glob_pattern} files in directory '{checkpoint_dir}'")
83
+
84
+ return ckpt_files
85
+
86
+
87
+ def get_optim_files(checkpoint_dir):
88
+ return get_checkpoint_files(checkpoint_dir, "*_optim_states.pt")
89
+
90
+
91
+ def get_model_state_files(checkpoint_dir):
92
+ return get_checkpoint_files(checkpoint_dir, "*_model_states.pt")
93
+
94
+
95
+ def parse_model_states(files):
96
+ zero_model_states = []
97
+ for file in files:
98
+ state_dict = torch.load(file, map_location=device)
99
+
100
+ if BUFFER_NAMES not in state_dict:
101
+ raise ValueError(f"{file} is not a model state checkpoint")
102
+ buffer_names = state_dict[BUFFER_NAMES]
103
+ if debug:
104
+ print("Found buffers:", buffer_names)
105
+
106
+ # recover just the buffers while restoring them to fp32 if they were saved in fp16
107
+ buffers = {k: v.float() for k, v in state_dict["module"].items() if k in buffer_names}
108
+ param_shapes = state_dict[PARAM_SHAPES]
109
+
110
+ # collect parameters that are included in param_shapes
111
+ param_names = []
112
+ for s in param_shapes:
113
+ for name in s.keys():
114
+ param_names.append(name)
115
+
116
+ # update with frozen parameters
117
+ frozen_param_shapes = state_dict.get(FROZEN_PARAM_SHAPES, None)
118
+ if frozen_param_shapes is not None:
119
+ if debug:
120
+ print(f"Found frozen_param_shapes: {frozen_param_shapes}")
121
+ param_names += list(frozen_param_shapes.keys())
122
+
123
+ # handle shared params
124
+ shared_params = [[k, v] for k, v in state_dict["shared_params"].items()]
125
+
126
+ ds_version = state_dict.get(DS_VERSION, None)
127
+
128
+ frozen_param_fragments = state_dict.get(FROZEN_PARAM_FRAGMENTS, None)
129
+
130
+ z_model_state = zero_model_state(buffers=buffers,
131
+ param_shapes=param_shapes,
132
+ shared_params=shared_params,
133
+ ds_version=ds_version,
134
+ frozen_param_shapes=frozen_param_shapes,
135
+ frozen_param_fragments=frozen_param_fragments)
136
+ zero_model_states.append(z_model_state)
137
+
138
+ return zero_model_states
139
+
140
+
141
+ def parse_optim_states(files, ds_checkpoint_dir):
142
+
143
+ total_files = len(files)
144
+ state_dicts = []
145
+ for f in files:
146
+ state_dicts.append(torch.load(f, map_location=device))
147
+
148
+ if not ZERO_STAGE in state_dicts[0][OPTIMIZER_STATE_DICT]:
149
+ raise ValueError(f"{files[0]} is not a zero checkpoint")
150
+ zero_stage = state_dicts[0][OPTIMIZER_STATE_DICT][ZERO_STAGE]
151
+ world_size = state_dicts[0][OPTIMIZER_STATE_DICT][PARTITION_COUNT]
152
+
153
+ # For ZeRO-2 each param group can have different partition_count as data parallelism for expert
154
+ # parameters can be different from data parallelism for non-expert parameters. So we can just
155
+ # use the max of the partition_count to get the dp world_size.
156
+
157
+ if type(world_size) is list:
158
+ world_size = max(world_size)
159
+
160
+ if world_size != total_files:
161
+ raise ValueError(
162
+ f"Expected {world_size} of '*_optim_states.pt' under '{ds_checkpoint_dir}' but found {total_files} files. "
163
+ "Possibly due to an overwrite of an old checkpoint, or a checkpoint didn't get saved by one or more processes."
164
+ )
165
+
166
+ # the groups are named differently in each stage
167
+ if zero_stage == 2:
168
+ fp32_groups_key = SINGLE_PARTITION_OF_FP32_GROUPS
169
+ elif zero_stage == 3:
170
+ fp32_groups_key = FP32_FLAT_GROUPS
171
+ else:
172
+ raise ValueError(f"unknown zero stage {zero_stage}")
173
+
174
+ if zero_stage == 2:
175
+ fp32_flat_groups = [state_dicts[i][OPTIMIZER_STATE_DICT][fp32_groups_key] for i in range(len(state_dicts))]
176
+ elif zero_stage == 3:
177
+ # if there is more than one param group, there will be multiple flattened tensors - one
178
+ # flattened tensor per group - for simplicity merge them into a single tensor
179
+ #
180
+ # XXX: could make the script more memory efficient for when there are multiple groups - it
181
+ # will require matching the sub-lists of param_shapes for each param group flattened tensor
182
+
183
+ fp32_flat_groups = [
184
+ torch.cat(state_dicts[i][OPTIMIZER_STATE_DICT][fp32_groups_key], 0) for i in range(len(state_dicts))
185
+ ]
186
+
187
+ return zero_stage, world_size, fp32_flat_groups
188
+
189
+
190
+ def _get_fp32_state_dict_from_zero_checkpoint(ds_checkpoint_dir):
191
+ """
192
+ Returns fp32 state_dict reconstructed from ds checkpoint
193
+
194
+ Args:
195
+ - ``ds_checkpoint_dir``: path to the deepspeed checkpoint folder (where the optimizer files are)
196
+
197
+ """
198
+ print(f"Processing zero checkpoint '{ds_checkpoint_dir}'")
199
+
200
+ optim_files = get_optim_files(ds_checkpoint_dir)
201
+ zero_stage, world_size, fp32_flat_groups = parse_optim_states(optim_files, ds_checkpoint_dir)
202
+ print(f"Detected checkpoint of type zero stage {zero_stage}, world_size: {world_size}")
203
+
204
+ model_files = get_model_state_files(ds_checkpoint_dir)
205
+
206
+ zero_model_states = parse_model_states(model_files)
207
+ print(f'Parsing checkpoint created by deepspeed=={zero_model_states[0].ds_version}')
208
+
209
+ if zero_stage == 2:
210
+ return _get_fp32_state_dict_from_zero2_checkpoint(world_size, fp32_flat_groups, zero_model_states)
211
+ elif zero_stage == 3:
212
+ return _get_fp32_state_dict_from_zero3_checkpoint(world_size, fp32_flat_groups, zero_model_states)
213
+
214
+
215
+ def _zero2_merge_frozen_params(state_dict, zero_model_states):
216
+ if zero_model_states[0].frozen_param_shapes is None or len(zero_model_states[0].frozen_param_shapes) == 0:
217
+ return
218
+
219
+ frozen_param_shapes = zero_model_states[0].frozen_param_shapes
220
+ frozen_param_fragments = zero_model_states[0].frozen_param_fragments
221
+
222
+ if debug:
223
+ num_elem = sum(s.numel() for s in frozen_param_shapes.values())
224
+ print(f'rank 0: {FROZEN_PARAM_SHAPES}.numel = {num_elem}')
225
+
226
+ wanted_params = len(frozen_param_shapes)
227
+ wanted_numel = sum(s.numel() for s in frozen_param_shapes.values())
228
+ avail_numel = sum([p.numel() for p in frozen_param_fragments.values()])
229
+ print(f'Frozen params: Have {avail_numel} numels to process.')
230
+ print(f'Frozen params: Need {wanted_numel} numels in {wanted_params} params')
231
+
232
+ total_params = 0
233
+ total_numel = 0
234
+ for name, shape in frozen_param_shapes.items():
235
+ total_params += 1
236
+ unpartitioned_numel = shape.numel()
237
+ total_numel += unpartitioned_numel
238
+
239
+ state_dict[name] = frozen_param_fragments[name]
240
+
241
+ if debug:
242
+ print(f"{name} full shape: {shape} unpartitioned numel {unpartitioned_numel} ")
243
+
244
+ print(f"Reconstructed Frozen fp32 state dict with {total_params} params {total_numel} elements")
245
+
246
+
247
+ def _zero2_merge_trainable_params(state_dict, world_size, fp32_flat_groups, zero_model_states):
248
+ param_shapes = zero_model_states[0].param_shapes
249
+
250
+ # Reconstruction protocol:
251
+ #
252
+ # XXX: document this
253
+
254
+ if debug:
255
+ for i in range(world_size):
256
+ for j in range(len(fp32_flat_groups[0])):
257
+ print(f"{FP32_FLAT_GROUPS}[{i}][{j}].shape={fp32_flat_groups[i][j].shape}")
258
+
259
+ # XXX: memory usage doubles here (zero2)
260
+ num_param_groups = len(fp32_flat_groups[0])
261
+ merged_single_partition_of_fp32_groups = []
262
+ for i in range(num_param_groups):
263
+ merged_partitions = [sd[i] for sd in fp32_flat_groups]
264
+ full_single_fp32_vector = torch.cat(merged_partitions, 0)
265
+ merged_single_partition_of_fp32_groups.append(full_single_fp32_vector)
266
+ avail_numel = sum(
267
+ [full_single_fp32_vector.numel() for full_single_fp32_vector in merged_single_partition_of_fp32_groups])
268
+
269
+ if debug:
270
+ wanted_params = sum([len(shapes) for shapes in param_shapes])
271
+ wanted_numel = sum([sum(shape.numel() for shape in shapes.values()) for shapes in param_shapes])
272
+ # not asserting if there is a mismatch due to possible padding
273
+ print(f"Have {avail_numel} numels to process.")
274
+ print(f"Need {wanted_numel} numels in {wanted_params} params.")
275
+
276
+ # params
277
+ # XXX: for huge models that can't fit into the host's RAM we will have to recode this to support
278
+ # out-of-core computing solution
279
+ total_numel = 0
280
+ total_params = 0
281
+ for shapes, full_single_fp32_vector in zip(param_shapes, merged_single_partition_of_fp32_groups):
282
+ offset = 0
283
+ avail_numel = full_single_fp32_vector.numel()
284
+ for name, shape in shapes.items():
285
+
286
+ unpartitioned_numel = shape.numel()
287
+ total_numel += unpartitioned_numel
288
+ total_params += 1
289
+
290
+ if debug:
291
+ print(f"{name} full shape: {shape} unpartitioned numel {unpartitioned_numel} ")
292
+ state_dict[name] = full_single_fp32_vector.narrow(0, offset, unpartitioned_numel).view(shape)
293
+ offset += unpartitioned_numel
294
+
295
+ # Z2 started to align to 2*world_size to improve nccl performance. Therefore both offset and
296
+ # avail_numel can differ by anywhere between 0..2*world_size. Due to two unrelated complex
297
+ # paddings performed in the code it's almost impossible to predict the exact numbers w/o the
298
+ # live optimizer object, so we are checking that the numbers are within the right range
299
+ align_to = 2 * world_size
300
+
301
+ def zero2_align(x):
302
+ return align_to * math.ceil(x / align_to)
303
+
304
+ if debug:
305
+ print(f"original offset={offset}, avail_numel={avail_numel}")
306
+
307
+ offset = zero2_align(offset)
308
+ avail_numel = zero2_align(avail_numel)
309
+
310
+ if debug:
311
+ print(f"aligned offset={offset}, avail_numel={avail_numel}")
312
+
313
+ # Sanity check
314
+ if offset != avail_numel:
315
+ raise ValueError(f"consumed {offset} numels out of {avail_numel} - something is wrong")
316
+
317
+ print(f"Reconstructed fp32 state dict with {total_params} params {total_numel} elements")
318
+
319
+
320
+ def _get_fp32_state_dict_from_zero2_checkpoint(world_size, fp32_flat_groups, zero_model_states):
321
+ state_dict = OrderedDict()
322
+
323
+ # buffers
324
+ buffers = zero_model_states[0].buffers
325
+ state_dict.update(buffers)
326
+ if debug:
327
+ print(f"added {len(buffers)} buffers")
328
+
329
+ _zero2_merge_frozen_params(state_dict, zero_model_states)
330
+
331
+ _zero2_merge_trainable_params(state_dict, world_size, fp32_flat_groups, zero_model_states)
332
+
333
+ # recover shared parameters
334
+ for pair in zero_model_states[0].shared_params:
335
+ if pair[1] in state_dict:
336
+ state_dict[pair[0]] = state_dict[pair[1]]
337
+
338
+ return state_dict
339
+
340
+
341
+ def zero3_partitioned_param_info(unpartitioned_numel, world_size):
342
+ remainder = unpartitioned_numel % world_size
343
+ padding_numel = (world_size - remainder) if remainder else 0
344
+ partitioned_numel = math.ceil(unpartitioned_numel / world_size)
345
+ return partitioned_numel, padding_numel
346
+
347
+
348
+ def _zero3_merge_frozen_params(state_dict, world_size, zero_model_states):
349
+ if zero_model_states[0].frozen_param_shapes is None or len(zero_model_states[0].frozen_param_shapes) == 0:
350
+ return
351
+
352
+ if debug:
353
+ for i in range(world_size):
354
+ num_elem = sum(s.numel() for s in zero_model_states[i].frozen_param_fragments.values())
355
+ print(f'rank {i}: {FROZEN_PARAM_SHAPES}.numel = {num_elem}')
356
+
357
+ frozen_param_shapes = zero_model_states[0].frozen_param_shapes
358
+ wanted_params = len(frozen_param_shapes)
359
+ wanted_numel = sum(s.numel() for s in frozen_param_shapes.values())
360
+ avail_numel = sum([p.numel() for p in zero_model_states[0].frozen_param_fragments.values()]) * world_size
361
+ print(f'Frozen params: Have {avail_numel} numels to process.')
362
+ print(f'Frozen params: Need {wanted_numel} numels in {wanted_params} params')
363
+
364
+ total_params = 0
365
+ total_numel = 0
366
+ for name, shape in zero_model_states[0].frozen_param_shapes.items():
367
+ total_params += 1
368
+ unpartitioned_numel = shape.numel()
369
+ total_numel += unpartitioned_numel
370
+
371
+ param_frags = tuple(model_state.frozen_param_fragments[name] for model_state in zero_model_states)
372
+ state_dict[name] = torch.cat(param_frags, 0).narrow(0, 0, unpartitioned_numel).view(shape)
373
+
374
+ partitioned_numel, partitioned_padding_numel = zero3_partitioned_param_info(unpartitioned_numel, world_size)
375
+
376
+ if debug:
377
+ print(
378
+ f"Frozen params: {total_params} {name} full shape: {shape} partition0 numel={partitioned_numel} partitioned_padding_numel={partitioned_padding_numel}"
379
+ )
380
+
381
+ print(f"Reconstructed Frozen fp32 state dict with {total_params} params {total_numel} elements")
382
+
383
+
384
+ def _zero3_merge_trainable_params(state_dict, world_size, fp32_flat_groups, zero_model_states):
385
+ param_shapes = zero_model_states[0].param_shapes
386
+ avail_numel = fp32_flat_groups[0].numel() * world_size
387
+ # Reconstruction protocol: For zero3 we need to zip the partitions together at boundary of each
388
+ # param, re-consolidating each param, while dealing with padding if any
389
+
390
+ # merge list of dicts, preserving order
391
+ param_shapes = {k: v for d in param_shapes for k, v in d.items()}
392
+
393
+ if debug:
394
+ for i in range(world_size):
395
+ print(f"{FP32_FLAT_GROUPS}[{i}].shape={fp32_flat_groups[i].shape}")
396
+
397
+ wanted_params = len(param_shapes)
398
+ wanted_numel = sum(shape.numel() for shape in param_shapes.values())
399
+ # not asserting if there is a mismatch due to possible padding
400
+ avail_numel = fp32_flat_groups[0].numel() * world_size
401
+ print(f"Trainable params: Have {avail_numel} numels to process.")
402
+ print(f"Trainable params: Need {wanted_numel} numels in {wanted_params} params.")
403
+
404
+ # params
405
+ # XXX: for huge models that can't fit into the host's RAM we will have to recode this to support
406
+ # out-of-core computing solution
407
+ offset = 0
408
+ total_numel = 0
409
+ total_params = 0
410
+ for name, shape in param_shapes.items():
411
+
412
+ unpartitioned_numel = shape.numel()
413
+ total_numel += unpartitioned_numel
414
+ total_params += 1
415
+
416
+ partitioned_numel, partitioned_padding_numel = zero3_partitioned_param_info(unpartitioned_numel, world_size)
417
+
418
+ if debug:
419
+ print(
420
+ f"Trainable params: {total_params} {name} full shape: {shape} partition0 numel={partitioned_numel} partitioned_padding_numel={partitioned_padding_numel}"
421
+ )
422
+
423
+ # XXX: memory usage doubles here
424
+ state_dict[name] = torch.cat(
425
+ tuple(fp32_flat_groups[i].narrow(0, offset, partitioned_numel) for i in range(world_size)),
426
+ 0).narrow(0, 0, unpartitioned_numel).view(shape)
427
+ offset += partitioned_numel
428
+
429
+ offset *= world_size
430
+
431
+ # Sanity check
432
+ if offset != avail_numel:
433
+ raise ValueError(f"consumed {offset} numels out of {avail_numel} - something is wrong")
434
+
435
+ print(f"Reconstructed Trainable fp32 state dict with {total_params} params {total_numel} elements")
436
+
437
+
438
+ def _get_fp32_state_dict_from_zero3_checkpoint(world_size, fp32_flat_groups, zero_model_states):
439
+ state_dict = OrderedDict()
440
+
441
+ # buffers
442
+ buffers = zero_model_states[0].buffers
443
+ state_dict.update(buffers)
444
+ if debug:
445
+ print(f"added {len(buffers)} buffers")
446
+
447
+ _zero3_merge_frozen_params(state_dict, world_size, zero_model_states)
448
+
449
+ _zero3_merge_trainable_params(state_dict, world_size, fp32_flat_groups, zero_model_states)
450
+
451
+ # recover shared parameters
452
+ for pair in zero_model_states[0].shared_params:
453
+ if pair[1] in state_dict:
454
+ state_dict[pair[0]] = state_dict[pair[1]]
455
+
456
+ return state_dict
457
+
458
+
459
+ def get_fp32_state_dict_from_zero_checkpoint(checkpoint_dir, tag=None):
460
+ """
461
+ Convert ZeRO 2 or 3 checkpoint into a single fp32 consolidated state_dict that can be loaded with
462
+ ``load_state_dict()`` and used for training without DeepSpeed or shared with others, for example
463
+ via a model hub.
464
+
465
+ Args:
466
+ - ``checkpoint_dir``: path to the desired checkpoint folder
467
+ - ``tag``: checkpoint tag used as a unique identifier for checkpoint. If not provided will attempt to load tag in 'latest' file. e.g., ``global_step14``
468
+
469
+ Returns:
470
+ - pytorch ``state_dict``
471
+
472
+ Note: this approach may not work if your application doesn't have sufficient free CPU memory and
473
+ you may need to use the offline approach using the ``zero_to_fp32.py`` script that is saved with
474
+ the checkpoint.
475
+
476
+ A typical usage might be ::
477
+
478
+ from deepspeed.utils.zero_to_fp32 import get_fp32_state_dict_from_zero_checkpoint
479
+ # do the training and checkpoint saving
480
+ state_dict = get_fp32_state_dict_from_zero_checkpoint(checkpoint_dir) # already on cpu
481
+ model = model.cpu() # move to cpu
482
+ model.load_state_dict(state_dict)
483
+ # submit to model hub or save the model to share with others
484
+
485
+ In this example the ``model`` will no longer be usable in the deepspeed context of the same
486
+ application. i.e. you will need to re-initialize the deepspeed engine, since
487
+ ``model.load_state_dict(state_dict)`` will remove all the deepspeed magic from it.
488
+
489
+ If you want it all done for you, use ``load_state_dict_from_zero_checkpoint`` instead.
490
+
491
+ """
492
+ if tag is None:
493
+ latest_path = os.path.join(checkpoint_dir, 'latest')
494
+ if os.path.isfile(latest_path):
495
+ with open(latest_path, 'r') as fd:
496
+ tag = fd.read().strip()
497
+ else:
498
+ raise ValueError(f"Unable to find 'latest' file at {latest_path}")
499
+
500
+ ds_checkpoint_dir = os.path.join(checkpoint_dir, tag)
501
+
502
+ if not os.path.isdir(ds_checkpoint_dir):
503
+ raise FileNotFoundError(f"Directory '{ds_checkpoint_dir}' doesn't exist")
504
+
505
+ return _get_fp32_state_dict_from_zero_checkpoint(ds_checkpoint_dir)
506
+
507
+
508
+ def convert_zero_checkpoint_to_fp32_state_dict(checkpoint_dir, output_file, tag=None):
509
+ """
510
+ Convert ZeRO 2 or 3 checkpoint into a single fp32 consolidated ``state_dict`` file that can be
511
+ loaded with ``torch.load(file)`` + ``load_state_dict()`` and used for training without DeepSpeed.
512
+
513
+ Args:
514
+ - ``checkpoint_dir``: path to the desired checkpoint folder. (one that contains the tag-folder, like ``global_step14``)
515
+ - ``output_file``: path to the pytorch fp32 state_dict output file (e.g. path/pytorch_model.bin)
516
+ - ``tag``: checkpoint tag used as a unique identifier for checkpoint. If not provided will attempt to load tag in the file named ``latest`` in the checkpoint folder, e.g., ``global_step14``
517
+ """
518
+
519
+ state_dict = get_fp32_state_dict_from_zero_checkpoint(checkpoint_dir, tag)
520
+ print(f"Saving fp32 state dict to {output_file}")
521
+ torch.save(state_dict, output_file)
522
+
523
+
524
+ def load_state_dict_from_zero_checkpoint(model, checkpoint_dir, tag=None):
525
+ """
526
+ 1. Put the provided model to cpu
527
+ 2. Convert ZeRO 2 or 3 checkpoint into a single fp32 consolidated ``state_dict``
528
+ 3. Load it into the provided model
529
+
530
+ Args:
531
+ - ``model``: the model object to update
532
+ - ``checkpoint_dir``: path to the desired checkpoint folder. (one that contains the tag-folder, like ``global_step14``)
533
+ - ``tag``: checkpoint tag used as a unique identifier for checkpoint. If not provided will attempt to load tag in the file named ``latest`` in the checkpoint folder, e.g., ``global_step14``
534
+
535
+ Returns:
536
+ - ``model`: modified model
537
+
538
+ Make sure you have plenty of CPU memory available before you call this function. If you don't
539
+ have enough use the ``zero_to_fp32.py`` utility to do the conversion. You will find it
540
+ conveniently placed for you in the checkpoint folder.
541
+
542
+ A typical usage might be ::
543
+
544
+ from deepspeed.utils.zero_to_fp32 import load_state_dict_from_zero_checkpoint
545
+ model = load_state_dict_from_zero_checkpoint(trainer.model, checkpoint_dir)
546
+ # submit to model hub or save the model to share with others
547
+
548
+ Note, that once this was run, the ``model`` will no longer be usable in the deepspeed context
549
+ of the same application. i.e. you will need to re-initialize the deepspeed engine, since
550
+ ``model.load_state_dict(state_dict)`` will remove all the deepspeed magic from it.
551
+
552
+ """
553
+ logger.info(f"Extracting fp32 weights")
554
+ state_dict = get_fp32_state_dict_from_zero_checkpoint(checkpoint_dir, tag)
555
+
556
+ logger.info(f"Overwriting model with fp32 weights")
557
+ model = model.cpu()
558
+ model.load_state_dict(state_dict, strict=False)
559
+
560
+ return model
561
+
562
+
563
+ if __name__ == "__main__":
564
+
565
+ parser = argparse.ArgumentParser()
566
+ parser.add_argument("checkpoint_dir",
567
+ type=str,
568
+ help="path to the desired checkpoint folder, e.g., path/checkpoint-12")
569
+ parser.add_argument(
570
+ "output_file",
571
+ type=str,
572
+ help="path to the pytorch fp32 state_dict output file (e.g. path/checkpoint-12/pytorch_model.bin)")
573
+ parser.add_argument("-d", "--debug", action='store_true', help="enable debug")
574
+ args = parser.parse_args()
575
+
576
+ debug = args.debug
577
+
578
+ convert_zero_checkpoint_to_fp32_state_dict(args.checkpoint_dir, args.output_file)