|
| 1 | +#!/usr/bin/env node |
| 2 | +/** |
| 3 | + * Binary Size Optimization Script |
| 4 | + * |
| 5 | + * Applies platform-specific optimizations to reduce Socket CLI binary sizes: |
| 6 | + * - macOS (darwin): strip, llvm-strip, code signing |
| 7 | + * - Linux: strip --strip-all, objcopy section removal |
| 8 | + * - Windows: strip --strip-all |
| 9 | + * |
| 10 | + * Target: Reduce from ~49MB to ~18-28MB per binary |
| 11 | + * |
| 12 | + * Usage: |
| 13 | + * node scripts/optimize-binary-size.mjs <binary-path> [--platform=<platform>] |
| 14 | + * node scripts/optimize-binary-size.mjs --all |
| 15 | + */ |
| 16 | + |
| 17 | +import { execSync, spawn } from 'node:child_process' |
| 18 | +import { existsSync, promises as fs } from 'node:fs' |
| 19 | +import { platform as osPlatform } from 'node:os' |
| 20 | +import path from 'node:path' |
| 21 | +import { fileURLToPath } from 'node:url' |
| 22 | + |
| 23 | +const __dirname = path.dirname(fileURLToPath(import.meta.url)) |
| 24 | +const rootDir = path.join(__dirname, '..') |
| 25 | + |
| 26 | +// Parse command line arguments. |
| 27 | +const args = process.argv.slice(2) |
| 28 | +let binaryPath = null |
| 29 | +let targetPlatform = null |
| 30 | +let optimizeAll = false |
| 31 | + |
| 32 | +for (let i = 0; i < args.length; i++) { |
| 33 | + const arg = args[i] |
| 34 | + if (arg === '--all') { |
| 35 | + optimizeAll = true |
| 36 | + } else if (arg.startsWith('--platform=')) { |
| 37 | + targetPlatform = arg.slice(11) |
| 38 | + } else if (!arg.startsWith('--')) { |
| 39 | + binaryPath = arg |
| 40 | + } |
| 41 | +} |
| 42 | + |
| 43 | +/** |
| 44 | + * Get file size in MB. |
| 45 | + */ |
| 46 | +async function getFileSizeMB(filePath) { |
| 47 | + const stats = await fs.stat(filePath) |
| 48 | + return (stats.size / (1024 * 1024)).toFixed(2) |
| 49 | +} |
| 50 | + |
| 51 | +/** |
| 52 | + * Check if a command exists. |
| 53 | + */ |
| 54 | +function commandExists(cmd) { |
| 55 | + try { |
| 56 | + execSync(`which ${cmd}`, { stdio: 'ignore' }) |
| 57 | + return true |
| 58 | + } catch { |
| 59 | + return false |
| 60 | + } |
| 61 | +} |
| 62 | + |
| 63 | +/** |
| 64 | + * Execute a command with error handling. |
| 65 | + */ |
| 66 | +function exec(command, args, options = {}) { |
| 67 | + console.log(` $ ${command} ${args.join(' ')}`) |
| 68 | + try { |
| 69 | + execSync(`${command} ${args.join(' ')}`, { |
| 70 | + stdio: 'inherit', |
| 71 | + ...options, |
| 72 | + }) |
| 73 | + return true |
| 74 | + } catch (e) { |
| 75 | + console.error(` ✗ Command failed: ${e.message}`) |
| 76 | + return false |
| 77 | + } |
| 78 | +} |
| 79 | + |
| 80 | +/** |
| 81 | + * Optimize binary for macOS (darwin). |
| 82 | + */ |
| 83 | +async function optimizeDarwin(binaryPath) { |
| 84 | + console.log('\n🍎 Optimizing macOS binary...') |
| 85 | + |
| 86 | + const beforeSize = await getFileSizeMB(binaryPath) |
| 87 | + console.log(` Before: ${beforeSize} MB`) |
| 88 | + |
| 89 | + // Phase 1: Basic stripping. |
| 90 | + if (commandExists('strip')) { |
| 91 | + console.log('\n Phase 1: Basic stripping') |
| 92 | + exec('strip', [binaryPath]) |
| 93 | + } |
| 94 | + |
| 95 | + // Phase 2: Aggressive stripping with llvm-strip (often better than strip on macOS). |
| 96 | + if (commandExists('llvm-strip')) { |
| 97 | + console.log('\n Phase 2: LLVM aggressive stripping') |
| 98 | + exec('llvm-strip', [binaryPath]) |
| 99 | + } else { |
| 100 | + console.log('\n Phase 2: Aggressive stripping (strip --strip-all)') |
| 101 | + exec('strip', ['--strip-all', binaryPath]) |
| 102 | + } |
| 103 | + |
| 104 | + // Phase 3: Remove unnecessary Mach-O sections. |
| 105 | + console.log('\n Phase 3: Remove unnecessary sections') |
| 106 | + // Note: Most Mach-O section removal requires specialized tools. |
| 107 | + // strip and llvm-strip already handle this well. |
| 108 | + |
| 109 | + const afterSize = await getFileSizeMB(binaryPath) |
| 110 | + const savings = ((beforeSize - afterSize) / beforeSize * 100).toFixed(1) |
| 111 | + console.log(`\n After: ${afterSize} MB (${savings}% reduction)`) |
| 112 | + |
| 113 | + // Re-sign binary if on macOS ARM64 (required). |
| 114 | + if (osPlatform() === 'darwin' && process.arch === 'arm64') { |
| 115 | + console.log('\n Phase 4: Code signing') |
| 116 | + exec('codesign', ['--force', '--sign', '-', binaryPath]) |
| 117 | + } |
| 118 | + |
| 119 | + return { before: parseFloat(beforeSize), after: parseFloat(afterSize), savings: parseFloat(savings) } |
| 120 | +} |
| 121 | + |
| 122 | +/** |
| 123 | + * Optimize binary for Linux. |
| 124 | + */ |
| 125 | +async function optimizeLinux(binaryPath) { |
| 126 | + console.log('\n🐧 Optimizing Linux binary...') |
| 127 | + |
| 128 | + const beforeSize = await getFileSizeMB(binaryPath) |
| 129 | + console.log(` Before: ${beforeSize} MB`) |
| 130 | + |
| 131 | + // Phase 1: Aggressive stripping. |
| 132 | + console.log('\n Phase 1: Aggressive stripping') |
| 133 | + exec('strip', ['--strip-all', binaryPath]) |
| 134 | + |
| 135 | + // Phase 2: Remove unnecessary ELF sections. |
| 136 | + if (commandExists('objcopy')) { |
| 137 | + console.log('\n Phase 2: Remove unnecessary ELF sections') |
| 138 | + const sections = [ |
| 139 | + '.note.ABI-tag', |
| 140 | + '.note.gnu.build-id', |
| 141 | + '.comment', |
| 142 | + '.gnu.version', |
| 143 | + ] |
| 144 | + |
| 145 | + for (const section of sections) { |
| 146 | + exec('objcopy', [`--remove-section=${section}`, binaryPath]) |
| 147 | + } |
| 148 | + } |
| 149 | + |
| 150 | + // Phase 3: Super strip (sstrip) if available. |
| 151 | + if (commandExists('sstrip')) { |
| 152 | + console.log('\n Phase 3: Super strip (removes section headers)') |
| 153 | + exec('sstrip', [binaryPath]) |
| 154 | + } |
| 155 | + |
| 156 | + const afterSize = await getFileSizeMB(binaryPath) |
| 157 | + const savings = ((beforeSize - afterSize) / beforeSize * 100).toFixed(1) |
| 158 | + console.log(`\n After: ${afterSize} MB (${savings}% reduction)`) |
| 159 | + |
| 160 | + return { before: parseFloat(beforeSize), after: parseFloat(afterSize), savings: parseFloat(savings) } |
| 161 | +} |
| 162 | + |
| 163 | +/** |
| 164 | + * Optimize binary for Windows. |
| 165 | + */ |
| 166 | +async function optimizeWindows(binaryPath) { |
| 167 | + console.log('\n🪟 Optimizing Windows binary...') |
| 168 | + |
| 169 | + const beforeSize = await getFileSizeMB(binaryPath) |
| 170 | + console.log(` Before: ${beforeSize} MB`) |
| 171 | + |
| 172 | + // Phase 1: Aggressive stripping. |
| 173 | + // Note: Windows binaries are typically cross-compiled on Linux/macOS with mingw. |
| 174 | + console.log('\n Phase 1: Aggressive stripping') |
| 175 | + |
| 176 | + // Try mingw-strip for Windows binaries. |
| 177 | + if (commandExists('x86_64-w64-mingw32-strip')) { |
| 178 | + exec('x86_64-w64-mingw32-strip', ['--strip-all', binaryPath]) |
| 179 | + } else if (commandExists('strip')) { |
| 180 | + exec('strip', ['--strip-all', binaryPath]) |
| 181 | + } |
| 182 | + |
| 183 | + const afterSize = await getFileSizeMB(binaryPath) |
| 184 | + const savings = ((beforeSize - afterSize) / beforeSize * 100).toFixed(1) |
| 185 | + console.log(`\n After: ${afterSize} MB (${savings}% reduction)`) |
| 186 | + |
| 187 | + return { before: parseFloat(beforeSize), after: parseFloat(afterSize), savings: parseFloat(savings) } |
| 188 | +} |
| 189 | + |
| 190 | +/** |
| 191 | + * Optimize a single binary. |
| 192 | + */ |
| 193 | +async function optimizeBinary(binaryPath, platform) { |
| 194 | + // Detect platform from binary path if not specified. |
| 195 | + if (!platform) { |
| 196 | + if (binaryPath.includes('darwin')) { |
| 197 | + platform = 'darwin' |
| 198 | + } else if (binaryPath.includes('linux') || binaryPath.includes('alpine')) { |
| 199 | + platform = 'linux' |
| 200 | + } else if (binaryPath.includes('win32') || binaryPath.endsWith('.exe')) { |
| 201 | + platform = 'win32' |
| 202 | + } else { |
| 203 | + platform = osPlatform() |
| 204 | + } |
| 205 | + } |
| 206 | + |
| 207 | + console.log(`\n📦 Optimizing: ${path.basename(binaryPath)}`) |
| 208 | + console.log(` Platform: ${platform}`) |
| 209 | + |
| 210 | + // Check binary exists. |
| 211 | + if (!existsSync(binaryPath)) { |
| 212 | + console.error(`\n❌ Binary not found: ${binaryPath}`) |
| 213 | + return null |
| 214 | + } |
| 215 | + |
| 216 | + // Apply platform-specific optimizations. |
| 217 | + let result |
| 218 | + switch (platform) { |
| 219 | + case 'darwin': |
| 220 | + result = await optimizeDarwin(binaryPath) |
| 221 | + break |
| 222 | + case 'linux': |
| 223 | + case 'alpine': |
| 224 | + result = await optimizeLinux(binaryPath) |
| 225 | + break |
| 226 | + case 'win32': |
| 227 | + result = await optimizeWindows(binaryPath) |
| 228 | + break |
| 229 | + default: |
| 230 | + console.error(`\n❌ Unsupported platform: ${platform}`) |
| 231 | + return null |
| 232 | + } |
| 233 | + |
| 234 | + console.log(`\n✅ Optimization complete!`) |
| 235 | + return result |
| 236 | +} |
| 237 | + |
| 238 | +/** |
| 239 | + * Find and optimize all platform binaries. |
| 240 | + */ |
| 241 | +async function optimizeAllBinaries() { |
| 242 | + console.log('🔍 Finding all platform binaries...\n') |
| 243 | + |
| 244 | + const packagesDir = path.join(rootDir, 'packages') |
| 245 | + const binaryPatterns = [ |
| 246 | + 'socketbin-cli-*/bin/socket', |
| 247 | + 'socketbin-cli-*/bin/socket.exe', |
| 248 | + ] |
| 249 | + |
| 250 | + const binaries = [] |
| 251 | + for (const pattern of binaryPatterns) { |
| 252 | + const [dir, file] = pattern.split('/') |
| 253 | + const packages = await fs.readdir(packagesDir) |
| 254 | + |
| 255 | + for (const pkg of packages) { |
| 256 | + if (pkg.startsWith('socketbin-cli-')) { |
| 257 | + const binPath = path.join(packagesDir, pkg, 'bin', file.replace('*', '')) |
| 258 | + if (existsSync(binPath)) { |
| 259 | + const stats = await fs.stat(binPath) |
| 260 | + // Only process actual binaries (>1MB), not placeholders. |
| 261 | + if (stats.size > 1024 * 1024) { |
| 262 | + binaries.push(binPath) |
| 263 | + } |
| 264 | + } |
| 265 | + } |
| 266 | + } |
| 267 | + } |
| 268 | + |
| 269 | + if (binaries.length === 0) { |
| 270 | + console.log('⚠️ No binaries found to optimize') |
| 271 | + console.log(' Run build first: pnpm run build:platforms') |
| 272 | + return [] |
| 273 | + } |
| 274 | + |
| 275 | + console.log(`Found ${binaries.length} binaries to optimize:\n`) |
| 276 | + binaries.forEach(b => console.log(` - ${path.relative(rootDir, b)}`)) |
| 277 | + |
| 278 | + const results = [] |
| 279 | + for (const binaryPath of binaries) { |
| 280 | + const result = await optimizeBinary(binaryPath, null) |
| 281 | + if (result) { |
| 282 | + results.push({ path: binaryPath, ...result }) |
| 283 | + } |
| 284 | + } |
| 285 | + |
| 286 | + return results |
| 287 | +} |
| 288 | + |
| 289 | +/** |
| 290 | + * Main entry point. |
| 291 | + */ |
| 292 | +async function main() { |
| 293 | + console.log('⚡ Socket CLI Binary Size Optimizer') |
| 294 | + console.log('=' .repeat(50)) |
| 295 | + |
| 296 | + let results = [] |
| 297 | + |
| 298 | + if (optimizeAll) { |
| 299 | + results = await optimizeAllBinaries() |
| 300 | + } else if (binaryPath) { |
| 301 | + const result = await optimizeBinary(binaryPath, targetPlatform) |
| 302 | + if (result) { |
| 303 | + results.push({ path: binaryPath, ...result }) |
| 304 | + } |
| 305 | + } else { |
| 306 | + console.error('\n❌ Error: No binary specified') |
| 307 | + console.log('\nUsage:') |
| 308 | + console.log(' node scripts/optimize-binary-size.mjs <binary-path> [--platform=<platform>]') |
| 309 | + console.log(' node scripts/optimize-binary-size.mjs --all') |
| 310 | + console.log('\nExamples:') |
| 311 | + console.log(' node scripts/optimize-binary-size.mjs packages/socketbin-cli-darwin-arm64/bin/socket') |
| 312 | + console.log(' node scripts/optimize-binary-size.mjs build/out/Release/node --platform=linux') |
| 313 | + console.log(' node scripts/optimize-binary-size.mjs --all') |
| 314 | + process.exit(1) |
| 315 | + } |
| 316 | + |
| 317 | + // Summary. |
| 318 | + if (results.length > 0) { |
| 319 | + console.log('\n' + '='.repeat(50)) |
| 320 | + console.log('📊 Optimization Summary') |
| 321 | + console.log('='.repeat(50)) |
| 322 | + console.log('') |
| 323 | + |
| 324 | + let totalBefore = 0 |
| 325 | + let totalAfter = 0 |
| 326 | + |
| 327 | + for (const { path: binPath, before, after, savings } of results) { |
| 328 | + totalBefore += before |
| 329 | + totalAfter += after |
| 330 | + console.log(` ${path.basename(binPath)}:`) |
| 331 | + console.log(` Before: ${before.toFixed(2)} MB`) |
| 332 | + console.log(` After: ${after.toFixed(2)} MB`) |
| 333 | + console.log(` Saved: ${(before - after).toFixed(2)} MB (${savings.toFixed(1)}%)`) |
| 334 | + console.log('') |
| 335 | + } |
| 336 | + |
| 337 | + if (results.length > 1) { |
| 338 | + const totalSavings = ((totalBefore - totalAfter) / totalBefore * 100).toFixed(1) |
| 339 | + console.log(' Total:') |
| 340 | + console.log(` Before: ${totalBefore.toFixed(2)} MB`) |
| 341 | + console.log(` After: ${totalAfter.toFixed(2)} MB`) |
| 342 | + console.log(` Saved: ${(totalBefore - totalAfter).toFixed(2)} MB (${totalSavings}%)`) |
| 343 | + } |
| 344 | + |
| 345 | + console.log('\n✅ All optimizations complete!') |
| 346 | + } |
| 347 | +} |
| 348 | + |
| 349 | +main().catch(error => { |
| 350 | + console.error('\n❌ Optimization failed:', error.message) |
| 351 | + process.exit(1) |
| 352 | +}) |
0 commit comments