-
Notifications
You must be signed in to change notification settings - Fork 2
/
generate_act_scale_shift.py
148 lines (117 loc) · 4.49 KB
/
generate_act_scale_shift.py
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
import torch
import os
from transformers import (
AutoModelForCausalLM,
AutoTokenizer,
AutoConfig
)
import argparse
import torch.nn as nn
from datasets import load_dataset
import functools
from tqdm import tqdm
from datautils import get_loaders
try:
from llava.model import * # required for llava
except ImportError:
print("If want to quantize llave models, you should manually install llava from https://github.com/haotian-liu/LLaVA")
# import pdb
def get_act_scales(model, dataloader, num_samples=128):
model.eval()
device = next(model.parameters()).device
act_scales = {}
def stat_tensor(name, tensor):
hidden_dim = tensor.shape[-1]
tensor = tensor.view(-1, hidden_dim).abs().detach()
comming_max = torch.max(tensor, dim=0)[0].float().cpu()
if name in act_scales:
act_scales[name] = torch.max(act_scales[name], comming_max)
else:
act_scales[name] = comming_max
def stat_input_hook(m, x, y, name):
if isinstance(x, tuple):
x = x[0]
stat_tensor(name, x)
hooks = []
for name, m in model.named_modules():
if isinstance(m, nn.Linear):
hooks.append(
m.register_forward_hook(
functools.partial(stat_input_hook, name=name)))
for i in tqdm(range(num_samples)):
model(dataloader[i][0].to(device))
for h in hooks:
h.remove()
return act_scales
def get_act_shifts(model, dataloader, num_samples=128):
model.eval()
device = next(model.parameters()).device
act_shifts = {}
def stat_tensor(name, tensor):
hidden_dim = tensor.shape[-1]
tensor = tensor.view(-1, hidden_dim).detach()
comming_max = torch.max(tensor, dim=0)[0].float().cpu()
comming_min = torch.min(tensor, dim=0)[0].float().cpu()
if name in act_shifts:
act_shifts[name] = 0.99*act_shifts[name] + 0.01 *((comming_max+comming_min)/2)
else:
act_shifts[name] = (comming_max+comming_min)/2
def stat_input_hook(m, x, y, name):
if isinstance(x, tuple):
x = x[0]
stat_tensor(name, x)
hooks = []
for name, m in model.named_modules():
if isinstance(m, nn.Linear):
hooks.append(
m.register_forward_hook(
functools.partial(stat_input_hook, name=name))
)
for i in tqdm(range(num_samples)):
model(dataloader[i][0].to(device))
for h in hooks:
h.remove()
return act_shifts
def build_model_and_tokenizer(model_name):
kwargs = {"torch_dtype": torch.float16, "device_map": "auto"}
tokenizer = AutoTokenizer.from_pretrained(model_name)
model = AutoModelForCausalLM.from_pretrained(model_name, **kwargs)
return model, tokenizer
def parse_args():
parser = argparse.ArgumentParser()
parser.add_argument('--model', type=str,
default='./llama-7b', help='model name')
parser.add_argument('--scales-output-path', type=str, default='./act_scales/',
help='where to save the act scales')
parser.add_argument('--shifts-output-path', type=str, default='./act_shifts/',
help='where to save the act shifts')
parser.add_argument("--calib_dataset",type=str,default="wikitext2",
choices=["wikitext2", "ptb", "c4", "mix","pile"],
help="Where to extract calibration data from.",)
parser.add_argument('--num-samples', type=int, default=128)
parser.add_argument('--seq-len', type=int, default=2048)
parser.add_argument("--seed", type=int, default=2, help="Seed for sampling the calibration data.")
args = parser.parse_args()
return args
@torch.no_grad()
def main():
args = parse_args()
model, tokenizer = build_model_and_tokenizer(args.model)
dataloader, _ = get_loaders(
args.calib_dataset,
nsamples=args.num_samples,
seed=args.seed,
model=args.model,
seqlen=args.seq_len,
)
args.net = args.model.split('/')[-1]
act_scales = get_act_scales(model, dataloader,args.num_samples)
save_path = os.path.join(args.scales_output_path,f'{args.net}.pt')
os.makedirs(os.path.dirname(save_path), exist_ok=True)
torch.save(act_scales, save_path)
act_shifts = get_act_shifts(model, dataloader,args.num_samples)
save_path = os.path.join(args.shifts_output_path,f'{args.net}.pt')
os.makedirs(os.path.dirname(save_path), exist_ok=True)
torch.save(act_shifts, save_path)
if __name__ == '__main__':
main()