""" Benchmark script for model performance testing REQUIRED: 1. You must specify a config file from the config/ directory 2. All configuration must be in the config file. No CLI overrides allowed Usage: python bench.py Example: python bench.py config/bench_gpt2.py """ import sys import os # ----------------------------------------------------------------------------- # Configuration loading (BEFORE imports to validate config first) # ----------------------------------------------------------------------------- if len(sys.argv) != 2: print("ERROR: Invalid arguments!") print("Usage: python bench.py ") print("Available configs in config/:") print(" - bench_gpt2.py") sys.exit(1) config_file = sys.argv[1] # Disallow --key=value arguments for arg in sys.argv[1:]: if arg.startswith('--'): print(f"ERROR: CLI overrides are not supported. All config must be in file: {config_file}") sys.exit(1) # Load config print(f"Loading config from: {config_file}") exec(open(config_file).read()) # Validate required config keys required_keys = ['model_config'] missing_keys = [k for k in required_keys if k not in globals()] if missing_keys: print(f"ERROR: Missing required config keys: {missing_keys}") sys.exit(1) # Load model configuration model_config = globals()['model_config'] model_file = f"models/{model_config}.py" try: exec(open(model_file).read()) except FileNotFoundError: print(f"ERROR: Model file not found: {model_file}") sys.exit(1) # Get model-specific required config keys from GPTConfig model_required_keys = [] if 'GPTConfig' in globals(): config_class = globals()['GPTConfig'] import dataclasses for field in dataclasses.fields(config_class): model_required_keys.append(field.name) # Validate model-specific config keys if init_from == 'scratch': missing_model_keys = [k for k in model_required_keys if k not in globals()] if missing_model_keys: print(f"ERROR: Missing required model config keys for {model_config}: {missing_model_keys}") sys.exit(1) # Print configuration print("\n" + "=" * 60) print("BENCH CONFIGURATION") print("=" * 60) for key in sorted(globals().keys()): val = globals().get(key) if isinstance(val, (int, float, bool, str)) and not key.startswith('_'): print(f" {key:30s} = {val}") print("=" * 60 + "\n") # Now import dependencies import os from contextlib import nullcontext import numpy as np import time import torch # Import GPTConfig and GPT GPTConfig = globals()['GPTConfig'] GPT = globals()['GPT'] # Auto-detect dtype if dtype == 'bfloat16' and not (torch.cuda.is_available() and torch.cuda.is_bf16_supported()): dtype = 'float16' torch.manual_seed(seed) torch.cuda.manual_seed(seed) torch.backends.cuda.matmul.allow_tf32 = True torch.backends.cudnn.allow_tf32 = True device_type = 'cuda' if 'cuda' in device else 'cpu' ptdtype = {'float32': torch.float32, 'bfloat16': torch.bfloat16, 'float16': torch.float16}[dtype] ctx = nullcontext() if device_type == 'cpu' else torch.amp.autocast(device_type=device_type, dtype=ptdtype) # data loading if real_data: dataset = globals().get('dataset', 'openwebtext') data_dir = os.path.join('data', dataset) train_data = np.memmap(os.path.join(data_dir, 'train.bin'), dtype=np.uint16, mode='r') def get_batch(split): data = train_data ix = torch.randint(len(data) - block_size, (batch_size,)) x = torch.stack([torch.from_numpy((data[i:i+block_size]).astype(np.int64)) for i in ix]) y = torch.stack([torch.from_numpy((data[i+1:i+1+block_size]).astype(np.int64)) for i in ix]) x, y = x.pin_memory().to(device, non_blocking=True), y.pin_memory().to(device, non_blocking=True) return x, y else: x = torch.randint(50304, (batch_size, block_size), device=device) y = torch.randint(50304, (batch_size, block_size), device=device) get_batch = lambda split: (x, y) # model init gptconf = GPTConfig( block_size=block_size, n_layer=n_layer, n_head=n_head, n_embd=n_embd, dropout=0, bias=bias, ) model = GPT(gptconf) model.to(device) optimizer = model.configure_optimizers(weight_decay=1e-2, learning_rate=1e-4, betas=(0.9, 0.95), device_type=device_type) if compile: print("Compiling model...") model = torch.compile(model) if profile: wait, warmup, active = 5, 5, 5 num_steps = wait + warmup + active with torch.profiler.profile( activities=[torch.profiler.ProfilerActivity.CPU, torch.profiler.ProfilerActivity.CUDA], schedule=torch.profiler.schedule(wait=wait, warmup=warmup, active=active, repeat=1), on_trace_ready=torch.profiler.tensorboard_trace_handler('./bench_log'), record_shapes=False, profile_memory=False, with_stack=False, with_flops=True, with_modules=False, ) as prof: X, Y = get_batch('train') for k in range(num_steps): with ctx: logits, loss = model(X, Y) X, Y = get_batch('train') optimizer.zero_grad(set_to_none=True) loss.backward() optimizer.step() lossf = loss.item() print(f"{k}/{num_steps} loss: {lossf:.4f}") prof.step() else: # simple benchmarking torch.cuda.synchronize() for stage, num_steps in enumerate([10, 20]): t0 = time.time() X, Y = get_batch('train') for k in range(num_steps): with ctx: logits, loss = model(X, Y) X, Y = get_batch('train') optimizer.zero_grad(set_to_none=True) loss.backward() optimizer.step() lossf = loss.item() print(f"{k}/{num_steps} loss: {lossf:.4f}") torch.cuda.synchronize() t1 = time.time() dt = t1 - t0 mfu = model.estimate_mfu(batch_size * 1 * num_steps, dt) if stage == 1: print(f"time per iteration: {dt/num_steps*1000:.4f}ms, MFU: {mfu*100:.2f}%")