Spaces:
Running
on
Zero
Running
on
Zero
File size: 6,991 Bytes
3386f25 |
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 |
"""
StyleForge - Fused Feed-Forward Network Wrapper
Python interface for the fused FFN CUDA kernel.
Fuses: Linear β GELU β Linear β Bias β Residual
Performance Target: 4-5x speedup over PyTorch sequential
"""
import torch
import torch.nn as nn
import torch.nn.functional as F
from pathlib import Path
from typing import Optional
from utils import compile_inline
# Global module cache
_ffn_module = None
def get_ffn_module():
"""Lazy-load and compile the FFN kernel."""
global _ffn_module
if _ffn_module is not None:
return _ffn_module
kernel_path = Path(__file__).parent / "ffn.cu"
if not kernel_path.exists():
raise FileNotFoundError(f"FFN kernel not found at {kernel_path}")
cuda_source = kernel_path.read_text()
print("Compiling fused FFN kernel...")
_ffn_module = compile_inline(
name='fused_ffn',
cuda_source=cuda_source,
functions=['forward'],
build_directory=Path('build'),
verbose=False
)
print("FFN compilation complete!")
return _ffn_module
class FusedFFN(nn.Module):
"""
Fused Feed-Forward Network Module
Fuses the entire FFN block into a single kernel:
Linear(embed_dim, ffn_dim) β GELU β Linear(ffn_dim, embed_dim) + Residual
Args:
embed_dim: Input/output embedding dimension
ffn_dim: Hidden dimension of FFN (typically 4x embed_dim)
dropout: Dropout probability (not used in V1)
bias: Use bias in linear layers
Example:
>>> ffn = FusedFFN(embed_dim=128, ffn_dim=512).cuda()
>>> x = torch.randn(2, 256, 128).cuda()
>>> y = ffn(x)
>>> print(y.shape) # [2, 256, 128]
"""
def __init__(
self,
embed_dim: int = 128,
ffn_dim: int = 512,
dropout: float = 0.0,
bias: bool = True
):
super().__init__()
self.embed_dim = embed_dim
self.ffn_dim = ffn_dim
# FC1: embed_dim β ffn_dim
self.fc1_weight = nn.Parameter(torch.empty(embed_dim, ffn_dim))
self.fc1_bias = nn.Parameter(torch.empty(ffn_dim)) if bias else None
# FC2: ffn_dim β embed_dim
self.fc2_weight = nn.Parameter(torch.empty(ffn_dim, embed_dim))
self.fc2_bias = nn.Parameter(torch.empty(embed_dim)) if bias else None
self.dropout = nn.Dropout(dropout)
self._reset_parameters()
def _reset_parameters(self):
"""Initialize parameters using Xavier uniform"""
nn.init.xavier_uniform_(self.fc1_weight)
nn.init.xavier_uniform_(self.fc2_weight)
if self.fc1_bias is not None:
nn.init.zeros_(self.fc1_bias)
if self.fc2_bias is not None:
nn.init.zeros_(self.fc2_bias)
def forward(self, x: torch.Tensor) -> torch.Tensor:
"""
Forward pass with fused FFN kernel.
Args:
x: Input tensor [batch, seq_len, embed_dim]
Returns:
Output tensor [batch, seq_len, embed_dim]
"""
module = get_ffn_module()
# Transpose weights for kernel layout [out, in] β [in, out]
w1_t = self.fc1_weight.T.contiguous()
w2_t = self.fc2_weight.T.contiguous()
# Create zero biases if not used
b1 = self.fc1_bias if self.fc1_bias is not None else torch.zeros(
self.ffn_dim, device=x.device
)
b2 = self.fc2_bias if self.fc2_bias is not None else torch.zeros(
self.embed_dim, device=x.device
)
with torch.cuda.nvtx.range("fused_ffn_forward"):
output = module.forward(
x.contiguous(),
w1_t,
b1,
w2_t,
b2,
False # use_vectorized - set to False for stability
)
# Apply dropout if training
if self.training and self.dropout.p > 0:
output = self.dropout(output)
return output
def extra_repr(self) -> str:
return f'embed_dim={self.embed_dim}, ffn_dim={self.ffn_dim}'
def benchmark_ffn_vs_pytorch(
batch_size: int = 2,
seq_len: int = 256,
embed_dim: int = 128,
ffn_dim: int = 512,
iterations: int = 100
):
"""
Benchmark fused FFN against PyTorch sequential.
Returns:
Dictionary with benchmark results
"""
import numpy as np
print(f"\nBenchmarking FFN ({batch_size}x{seq_len}x{embed_dim})...")
print("=" * 70)
x = torch.randn(batch_size, seq_len, embed_dim, device='cuda')
results = {}
# ----------------------------------------
# PyTorch Baseline
# ----------------------------------------
print("\n1. PyTorch Sequential FFN...")
ffn_pytorch = nn.Sequential(
nn.Linear(embed_dim, ffn_dim),
nn.GELU(),
nn.Linear(ffn_dim, embed_dim)
).cuda().eval()
times = []
for _ in range(10):
with torch.no_grad():
_ = ffn_pytorch(x)
torch.cuda.synchronize()
for _ in range(iterations):
start = torch.cuda.Event(enable_timing=True)
end = torch.cuda.Event(enable_timing=True)
start.record()
with torch.no_grad():
_ = ffn_pytorch(x)
end.record()
torch.cuda.synchronize()
times.append(start.elapsed_time(end))
results['pytorch'] = {
'mean_ms': np.mean(times),
'std_ms': np.std(times),
'name': 'PyTorch Sequential'
}
print(f" {results['pytorch']['mean_ms']:.2f} Β± {results['pytorch']['std_ms']:.2f} ms")
# ----------------------------------------
# Fused FFN
# ----------------------------------------
print("\n2. Fused FFN Kernel...")
ffn_fused = FusedFFN(embed_dim, ffn_dim).cuda().eval()
times = []
for _ in range(10):
with torch.no_grad():
_ = ffn_fused(x)
torch.cuda.synchronize()
for _ in range(iterations):
start = torch.cuda.Event(enable_timing=True)
end = torch.cuda.Event(enable_timing=True)
start.record()
with torch.no_grad():
_ = ffn_fused(x)
end.record()
torch.cuda.synchronize()
times.append(start.elapsed_time(end))
results['fused'] = {
'mean_ms': np.mean(times),
'std_ms': np.std(times),
'name': 'Fused FFN'
}
print(f" {results['fused']['mean_ms']:.2f} Β± {results['fused']['std_ms']:.2f} ms")
# ----------------------------------------
# Summary
# ----------------------------------------
print("\n" + "=" * 70)
print("SUMMARY")
print("=" * 70)
baseline = results['pytorch']['mean_ms']
fused_time = results['fused']['mean_ms']
print(f"\nPyTorch: {baseline:.2f} ms")
print(f"Fused: {fused_time:.2f} ms")
print(f"\nπ Fused FFN is {baseline/fused_time:.2f}x faster than PyTorch!")
return results
if __name__ == "__main__":
# Run benchmark if executed directly
benchmark_ffn_vs_pytorch()
|