File size: 8,561 Bytes
442ebf0 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 |
import math
import torch
from tqdm import tqdm
from dataclasses import dataclass
from contextlib import nullcontext
from typing import Mapping, Optional, Tuple
from accelerate import Accelerator
from collections import defaultdict
from transformers.modeling_outputs import BaseModelOutputWithPast
def optional_grad_ctx(with_grad=False):
if with_grad:
return nullcontext()
else:
return torch.no_grad()
def move_to_device(data, device):
"""
Prepares one `data` before feeding it to the model, be it a tensor or a nested list/dictionary of tensors.
"""
if isinstance(data, Mapping):
return type(data)({k: move_to_device(v, device) for k, v in data.items()})
elif isinstance(data, (tuple, list)):
return type(data)(move_to_device(v, device) for v in data)
elif isinstance(data, torch.Tensor):
kwargs = {"device": device}
return data.to(**kwargs)
else:
return data
def compute_loss(logits, labels, shift=False):
"""
Returns:
token_loss: batch_size, seq_length
"""
if shift:
logits = logits[:, :-1, :].contiguous()
labels = labels[:, 1:].contiguous()
labels = labels.to(logits.device)
batch_size = logits.shape[0]
# NOTE: the loss on -100 labels is 0 by default
token_loss = torch.nn.functional.cross_entropy(
logits.flatten(0, 1),
labels.reshape(-1),
reduction="none"
).reshape(batch_size, -1) # batch_size, seq_len
# print(token_loss)
valid_token_num = (labels != -100).sum(-1) # batch_size
all_valid_token_num = valid_token_num.sum()
if all_valid_token_num > 0:
loss = token_loss.sum() / valid_token_num.sum()
else:
loss = token_loss.sum()
batch_loss = token_loss.sum(-1) / valid_token_num
# prevent nan
if (valid_token_num == 0).any():
batch_loss = batch_loss.masked_fill(valid_token_num == 0, 0.)
return loss, batch_loss, valid_token_num
@torch.no_grad()
def evaluate_perplexity(model, dataloader, accelerator:Optional[Accelerator]=None):
if accelerator is not None and type(dataloader) == torch.utils.data.DataLoader:
# if the dataloader has been prepared, we shall not prepare it twice, especially in case of deepspeed
dataloader = accelerator.prepare(dataloader)
# if accelerator.process_index == 0:
# for name, x in model.named_parameters():
# print(f"{name: ^80} {x.dtype}")
all_loss = defaultdict(list)
for i, x in enumerate(tqdm(dataloader, desc="Computing Perplexity")):
# NOTE: important to reset memory for every batch
if hasattr(model, "memory"):
model.memory.reset()
# the seq id
index = x.pop("index")
# length is used to group training data, no use here
length = x.pop("length", None)
output = model(**x)
# NOTE: we need the loss for each element in the batch for accurate computation, because the number of valid tokens may differ among elements
if hasattr(output, "batch_loss"):
# output from our model has batch_loss by default
batch_loss = output.batch_loss
valid_token_num = output.valid_token_num
else:
# output from other models does not
loss, batch_loss, valid_token_num = compute_loss(output.logits, x["labels"], shift=True)
index = index.tolist()
batch_loss = batch_loss.tolist()
valid_token_num = valid_token_num.tolist()
if accelerator is not None and accelerator.num_processes > 1:
# num_device * batch_size
index = accelerator.gather_for_metrics(index)
batch_loss = accelerator.gather_for_metrics(batch_loss)
valid_token_num = accelerator.gather_for_metrics(valid_token_num)
for _id, _loss, _num in zip(index, batch_loss, valid_token_num):
# loss times num is the total loss of all valid tokens
all_loss[_id].append((_loss * _num, _num))
all_loss = dict(all_loss)
for _id, loss_and_num in all_loss.items():
# sum up the loss for all valid tokens in the entire sequence, and divide the number of valid tokens
all_loss[_id] = sum([x[0] for x in loss_and_num]) / sum(x[1] for x in loss_and_num)
# average across then take exp
perplexity = math.exp(sum(all_loss.values()) / len(all_loss))
return perplexity
@torch.no_grad()
def evaluate_generation(model, dataloader, accelerator:Optional[Accelerator]=None, tokenizer=None, return_new_tokens_only=True, **generation_config):
if accelerator is not None and type(dataloader) == torch.utils.data.DataLoader:
# if the dataloader has been prepared, we shall not prepare it twice, especially in case of deepspeed
dataloader = accelerator.prepare(dataloader)
all_indices = []
all_outputs = []
index = 0
for i, x in enumerate(tqdm(dataloader, desc="Computing Generation")):
# if i > 3:
# break
# NOTE: important to reset memory for every batch
if hasattr(model, "memory"):
model.memory.reset()
# length is used to group training data, no use here
length = x.pop("length", None)
# if indices are None, we use batch size
indices = x.pop("index", None)
if indices is None:
indices = list(range(index, index + x['input_ids'].shape[0]))
index += x['input_ids'].shape[0]
else:
indices = indices.tolist()
outputs = model.generate(**x, **generation_config)
if return_new_tokens_only:
start_idx = x["input_ids"].shape[1]
outputs = outputs[:, start_idx:]
outputs = tokenizer.batch_decode(outputs, skip_special_tokens=True)
if accelerator is not None and accelerator.num_processes > 1:
outputs = accelerator.gather_for_metrics(outputs)
indices = accelerator.gather_for_metrics(indices)
outputs = outputs
indices = indices
all_indices.extend(indices)
all_outputs.extend(outputs)
return all_indices, all_outputs
@torch.no_grad()
def evaluate_nll(model, dataloader, accelerator:Optional[Accelerator]=None):
if accelerator is not None and type(dataloader) == torch.utils.data.DataLoader:
# if the dataloader has been prepared, we shall not prepare it twice, especially in case of deepspeed
dataloader = accelerator.prepare(dataloader)
# if accelerator.process_index == 0:
# for name, x in model.named_parameters():
# print(f"{name: ^80} {x.dtype}")
all_loss = defaultdict(list)
for i, x in enumerate(tqdm(dataloader, desc="Computing Perplexity")):
# NOTE: important to reset memory for every batch
if hasattr(model, "memory"):
model.memory.reset()
# the seq id
index = x.pop("index")
# length is used to group training data, no use here
length = x.pop("length", None)
output = model(**x)
# NOTE: we need the loss for each element in the batch for accurate computation, because the number of valid tokens may differ among elements
if hasattr(output, "batch_loss"):
# output from our model has batch_loss by default
batch_loss = output.batch_loss
valid_token_num = output.valid_token_num
else:
# output from other models does not
loss, batch_loss, valid_token_num = compute_loss(output.logits, x["labels"], shift=True)
if accelerator is not None and accelerator.num_processes > 1:
# num_device * batch_size
index = accelerator.gather_for_metrics(index)
batch_loss = accelerator.gather_for_metrics(batch_loss)
valid_token_num = accelerator.gather_for_metrics(valid_token_num)
for _id, _loss in zip(index.tolist(), batch_loss.tolist()):
# loss times num is the total loss of all valid tokens
all_loss[_id].append(_loss)
return all_loss
@dataclass
class BeaconModelOutput(BaseModelOutputWithPast):
loss: Optional[torch.FloatTensor] = None
batch_loss: Optional[torch.FloatTensor] = None
valid_token_num: Optional[torch.LongTensor] = None
logits: torch.FloatTensor = None
past_key_values: Optional[Tuple[Tuple[torch.FloatTensor]]] = None
hidden_states: Optional[Tuple[torch.FloatTensor]] = None
attentions: Optional[Tuple[torch.FloatTensor]] = None
|