File size: 17,389 Bytes
d73500e | 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 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 | import logging
import math
import os
import sys
import shutil
from copy import deepcopy
from typing import Dict, List, Tuple
import torch
import torch.nn.functional as F
from accelerate import Accelerator
from torch import no_grad
from torch.utils.data import DataLoader
from tqdm import tqdm
from .io import create_dir, save_json
from .utils import print_gpu_memory, prepare_calibration_input, auto_map, CUSTOM_FILE
from .wrapper import HiddenStatesRecordWrapper
from .super_weight import find_super_weights as detect_super_weights
logger = logging.getLogger(__name__)
# π compute similarity
@no_grad()
def get_layer_similarities(model, dataloader: DataLoader, accelerator: Accelerator, num_samples: int, drop_norm: bool, target_layer: str, cache_file=None):
device = accelerator.device
if cache_file is not None and os.path.exists(cache_file):
# use cached file
accelerator.print(f"Loading cached model from {cache_file}")
similarities = torch.load(cache_file, map_location=device)
else:
# calculate similarities
accelerator.print(f"No cached model found. Running model on {num_samples} samples for each device.")
unwrapped_model = accelerator.unwrap_model(model) # π unwrap model first
unwrapped_model.config.use_cache = False
layers = unwrapped_model.model.layers
accelerator.print("Getting features...")
inputs, outputs, attention_mask, position_ids, cache_position = prepare_calibration_input(unwrapped_model, dataloader, num_samples) # π
# π Get layer ids
num_layers = unwrapped_model.config.num_hidden_layers
layer_indices = list(range(num_layers))
# π Initialize the similarities.
# Row: each layer
# Column: similarity to the next n layer
# Example: [0.5, 0.5, 0.5, 0.5, 0.5, 0.5] # shape(6)
similarities = torch.full((num_layers,), -math.inf, device=device)
if hasattr(unwrapped_model.config, f'drop_{target_layer}_list'):
skipped_layers = [idx for idx, v in enumerate(getattr(unwrapped_model.config, f'drop_{target_layer}_list', [])) if v]
else:
skipped_layers = []
accelerator.print('Starting ...')
for i in tqdm(range(num_layers), desc="Recording hidden states...", disable=not accelerator.is_main_process):
if i in skipped_layers:
similarities[i] = -math.inf
accelerator.print('Skip the dropped layer: ', i)
continue
sys.stderr.flush()
torch.cuda.empty_cache()
print_gpu_memory(accelerator)
layer = layers[i]
if i in layer_indices:
if target_layer == 'mlp':
module_pre_norm = layer.post_attention_layernorm
module = layer.mlp
elif target_layer == 'attn':
module_pre_norm = layer.input_layernorm
module = layer.self_attn
elif target_layer == 'all':
raise ValueError("Unsupported target_layer!")
if drop_norm:
wrapped_module_pre_norm = HiddenStatesRecordWrapper(module_pre_norm, record_input=True, record_output=False) # π Wrap layer
else:
wrapped_module_pre_norm = HiddenStatesRecordWrapper(module_pre_norm, record_input=False, record_output=True) # π Wrap layer
wrapped_module = HiddenStatesRecordWrapper(module, record_input=False, record_output=True) # π Wrap layer
# Forward hook for recording hidden states
def record_module_pre_norm_states_hook(_, input, output):
wrapped_module_pre_norm.record(input[0].data, output[0].data)
if target_layer == 'mlp':
def record_module_states_hook(_, input, output):
wrapped_module.record(input[0].data, output[0].data)
elif target_layer == 'attn':
def record_module_states_hook(_, input, output):
wrapped_module.record(None, output[0].data)
else:
raise ValueError("Unsupported target_layer!")
# Get hidden states
handles = []
handles.append(module_pre_norm.register_forward_hook(record_module_pre_norm_states_hook))
handles.append(module.register_forward_hook(record_module_states_hook))
for j in range(num_samples):
if getattr(unwrapped_model.config, "model_type", None) == "llama":
outputs[j] = layer(inputs[j], attention_mask=attention_mask[j], position_ids=position_ids[j], cache_position=cache_position[j])[0]
else:
outputs[j] = layer(inputs[j], attention_mask=attention_mask[j], position_ids=position_ids[j])[0]
for handle in handles:
handle.remove()
dtype = torch.float32
if drop_norm:
input_hidden_states = torch.cat(wrapped_module_pre_norm.input_hidden_states, dim=0).to(dtype).to(device)
output_hidden_states = input_hidden_states + torch.cat(wrapped_module.output_hidden_states, dim=0).to(dtype).to(device)
else:
input_hidden_states = torch.cat(wrapped_module_pre_norm.output_hidden_states, dim=0).to(dtype).to(device)
output_hidden_states = torch.cat(wrapped_module.output_hidden_states, dim=0).to(dtype).to(device)
# π Calculate similarity (output+input due to residual connection)
cos_sim = F.cosine_similarity(input_hidden_states, output_hidden_states, dim=-1) # (total_token_num)
cos_sim = cos_sim.mean()
cos_sim = accelerator.reduce(cos_sim, reduction="mean") # π All reduce across devices
accelerator.print(f'layer {i} similarity: {cos_sim.item()}')
similarities[i] = cos_sim
else:
for j in range(num_samples):
if getattr(unwrapped_model.config, "model_type", None) == "llama":
outputs[j] = layer(inputs[j], attention_mask=attention_mask[j], position_ids=position_ids[j], cache_position=cache_position[j])[0]
else:
outputs[j] = layer(inputs[j], attention_mask=attention_mask[j], position_ids=position_ids[j])[0]
# Update inputs & outputs
inputs, outputs = outputs, inputs
# Save to the cache file
if cache_file is not None:
if accelerator.is_main_process:
create_dir(os.path.dirname(cache_file))
torch.save(similarities.clone().cpu(), cache_file)
print(f"Saving cached similarities to {cache_file}")
accelerator.wait_for_everyone()
accelerator.print("similarities\n", similarities)
return similarities
# π find indices of dropped layers
def discrete_layer_dropping(args, model, dataloader: DataLoader, accelerator: Accelerator, num_samples: int):
"""
π Prune mlp layers in a discrete order.
E.g., [0, 1, 2, 3, 4, 5, 6, 7, 8, 9] -> [0, 2, 6, 8, 9]
"""
drop_n = args.drop_n
if args.target_layer == 'all':
similarities_attn = get_layer_similarities(model, dataloader, accelerator, num_samples, args.layer_drop_norm, target_layer='attn', cache_file=args.similarity_cache_file.replace("all", "all_attn"))
similarities_mlp = get_layer_similarities(model, dataloader, accelerator, num_samples, args.layer_drop_norm, target_layer='mlp', cache_file=args.similarity_cache_file.replace("all", "all_mlp"))
similarities = torch.cat((similarities_attn, similarities_mlp), dim=0)
else:
similarities = get_layer_similarities(model, dataloader, accelerator, num_samples, args.layer_drop_norm, target_layer=args.target_layer, cache_file=args.similarity_cache_file)
sorted_similarities, sorted_layer_id = torch.sort(similarities, dim=0, descending=True)
dropped_layer_list = sorted_layer_id[:drop_n].tolist()
accelerator.print(f"Dropped layer: {dropped_layer_list}, similarities: {sorted_similarities[:drop_n].tolist()}")
return dropped_layer_list
def _serialize_super_weights(super_weights: Dict[int, Tuple[int, int, float, float]]) -> Dict[str, List[float]]:
"""Convert the detected super weights into JSON-serializable dict."""
return {
str(layer_idx): [int(row), int(col), float(weight_val), float(activation_val)]
for layer_idx, (row, col, weight_val, activation_val) in super_weights.items()
}
def _super_weight_activation_delta(
reference: Dict[int, Tuple[int, int, float, float]],
candidate: Dict[int, Tuple[int, int, float, float]],
) -> float:
"""Compute total activation delta between reference and candidate super weights."""
if not reference:
return 0.0
delta = 0.0
for layer_idx, (_, _, _, ref_activation) in reference.items():
cand = candidate.get(layer_idx)
if cand is None:
delta += abs(ref_activation)
else:
delta += abs(ref_activation - cand[3])
return float(delta)
def super_weight_guided_attn_dropping(args, model, dataloader: DataLoader, accelerator: Accelerator, num_samples: int):
"""
Drop attention layers sequentially in a greedy fashion based on the impact on super weight activations.
At every step, temporarily drop each remaining attention layer, recompute the super weight activations,
and pick the layer whose removal yields the smallest deviation from the current baseline activations.
"""
if args.target_layer != 'attn':
raise ValueError("super_weight_guided layer dropping only supports target_layer='attn'.")
accelerator.print("Running super-weight-guided attention dropping...")
unwrapped_model = accelerator.unwrap_model(model)
layers = getattr(unwrapped_model.model, "layers", None)
if layers is None:
raise ValueError("Unable to access model layers for super-weight-guided dropping.")
num_layers = len(layers)
drop_flags = getattr(unwrapped_model.config, "drop_attn_list", None)
if not drop_flags:
drop_flags = [False] * num_layers
unwrapped_model.config.drop_attn_list = drop_flags
else:
# ensure the list is mutable
drop_flags = list(drop_flags)
if len(drop_flags) < num_layers:
drop_flags.extend([False] * (num_layers - len(drop_flags)))
unwrapped_model.config.drop_attn_list = drop_flags
# Make sure each decoder layer knows the current drop flag.
for idx, flag in enumerate(drop_flags):
if hasattr(layers[idx], "drop_attn"):
layers[idx].drop_attn = flag
else:
raise ValueError("Layer does not expose drop_attn attribute, cannot perform guided dropping.")
initially_dropped = {idx for idx, flag in enumerate(drop_flags) if flag}
remaining_layers = [idx for idx in range(num_layers) if idx not in initially_dropped]
accelerator.print(f"Initial dropped attention layers: {sorted(initially_dropped)}")
accelerator.print(f"Remaining attention layers to evaluate: {remaining_layers}")
def _set_drop_flag(layer_idx: int, value: bool):
layers[layer_idx].drop_attn = value
drop_flags[layer_idx] = value
def _detect_current_super_weights():
return detect_super_weights(
model,
dataloader,
accelerator,
num_samples=num_samples,
threshold=getattr(args, 'super_weight_threshold', 3.0),
cache_file=None,
)
current_super_weights = _detect_current_super_weights()
baseline_snapshot = _serialize_super_weights(current_super_weights)
drop_history: List[Dict[str, object]] = []
drop_order: List[int] = []
if not remaining_layers:
accelerator.print("All attention layers are already dropped. Nothing to do.")
trace = {
"initially_dropped_layers": sorted(initially_dropped),
"initial_super_weights": baseline_snapshot,
"drop_order": drop_order,
"drop_history": drop_history,
}
if args.prune_model_save_path and accelerator.is_main_process:
trace_path = os.path.join(args.prune_model_save_path, "super_weight_attn_drop_trace.json")
save_json(trace, trace_path, indent=2)
accelerator.print(f"Super-weight-guided drop trace saved to {trace_path}")
return sorted(initially_dropped)
step = 0
while remaining_layers:
step += 1
best_layer = None
best_delta = math.inf
best_candidate_weights = None
accelerator.print(f"[SuperWeightDrop][Step {step}] evaluating {len(remaining_layers)} candidate layers...")
for candidate_layer in remaining_layers:
_set_drop_flag(candidate_layer, True)
candidate_super_weights = _detect_current_super_weights()
delta = _super_weight_activation_delta(current_super_weights, candidate_super_weights)
accelerator.print(
f"[SuperWeightDrop] Layer {candidate_layer} delta={delta:.6f} "
f"(baseline count={len(current_super_weights)}, candidate count={len(candidate_super_weights)})"
)
if delta < best_delta:
best_delta = delta
best_layer = candidate_layer
best_candidate_weights = candidate_super_weights
_set_drop_flag(candidate_layer, False)
if best_layer is None or best_candidate_weights is None:
raise RuntimeError("Failed to identify the next attention layer to drop.")
# Commit the best candidate drop.
_set_drop_flag(best_layer, True)
remaining_layers.remove(best_layer)
current_super_weights = best_candidate_weights
drop_order.append(best_layer)
drop_history.append(
{
"step": step,
"layer_index": best_layer,
"activation_delta": best_delta,
"super_weights": _serialize_super_weights(best_candidate_weights),
}
)
accelerator.print(
f"[SuperWeightDrop] Dropped layer {best_layer} at step {step} (delta={best_delta:.6f}). "
f"{len(remaining_layers)} layers remaining."
)
trace = {
"initially_dropped_layers": sorted(initially_dropped),
"initial_super_weights": baseline_snapshot,
"drop_order": drop_order,
"drop_history": drop_history,
}
if args.prune_model_save_path and accelerator.is_main_process:
trace_path = os.path.join(args.prune_model_save_path, "super_weight_attn_drop_trace.json")
save_json(trace, trace_path, indent=2)
accelerator.print(f"Super-weight-guided drop trace saved to {trace_path}")
return sorted(list(initially_dropped | set(drop_order)))
def post_layers_drop(prune_model_save_path, target_layer, model, tokenizer, reserved_layer_list, accelerator: Accelerator, only_update_config=False):
unwrapped_model = accelerator.unwrap_model(model) # π unwrap model first
if accelerator.is_main_process:
out_cfg = deepcopy(unwrapped_model.config)
model_type = getattr(unwrapped_model.config, "model_type", None)
if model_type in auto_map:
out_cfg.auto_map = auto_map[model_type]
else:
raise ValueError("Unsupported model type!")
dropped_attn_list = []
dropped_mlp_list = []
if target_layer == 'all':
dropped_layer_list = list(set(list(range(out_cfg.num_hidden_layers * 2))) - set(reserved_layer_list))
for idx in dropped_layer_list:
if idx >= out_cfg.num_hidden_layers:
dropped_mlp_list.append(idx - out_cfg.num_hidden_layers)
else:
dropped_attn_list.append(idx)
elif target_layer == 'attn':
dropped_attn_list = list(set(list(range(out_cfg.num_hidden_layers))) - set(reserved_layer_list))
elif target_layer == 'mlp':
dropped_mlp_list = list(set(list(range(out_cfg.num_hidden_layers))) - set(reserved_layer_list))
else:
raise ValueError("Unsupported target_layer!")
out_cfg.drop_mlp_list = [idx for idx, v in enumerate(getattr(unwrapped_model.config, f'drop_mlp_list', [])) if v] + dropped_mlp_list
out_cfg.drop_attn_list = [idx for idx, v in enumerate(getattr(unwrapped_model.config, f'drop_attn_list', [])) if v] + dropped_attn_list
accelerator.print(f"Dropped attention list: {dropped_attn_list}")
accelerator.print(f"Dropped MLP list: {dropped_mlp_list}")
accelerator.print("Saving...")
shutil.copy(CUSTOM_FILE[out_cfg.model_type]["config"], prune_model_save_path)
shutil.copy(CUSTOM_FILE[out_cfg.model_type]["model"], prune_model_save_path)
if not only_update_config:
model.save_pretrained(prune_model_save_path)
tokenizer.save_pretrained(prune_model_save_path)
out_cfg.save_pretrained(prune_model_save_path)
|