seabox 0.1.0-beta.3 → 0.1.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,705 @@
1
+ /**
2
+ * multi-target-builder.mjs
3
+ * Orchestrate parallel builds for multiple target platforms.
4
+ */
5
+
6
+ import fs from 'fs';
7
+ import path from 'path';
8
+ import { execSync } from 'child_process';
9
+ import crypto from 'crypto';
10
+ import { fileURLToPath } from 'url';
11
+ import Module from 'module';
12
+
13
+ import { bundleWithRollup } from './rolldown-bundler.mjs';
14
+ import { BuildCache } from './build-cache.mjs';
15
+ import { parseTarget } from './config.mjs';
16
+ import { generateManifest, serializeManifest } from './manifest.mjs';
17
+ import { createSeaConfig, writeSeaConfigJson, generateBlob } from './blob.mjs';
18
+ import { fetchNodeBinary } from './fetch-node.mjs';
19
+ import { injectBlob } from './inject.mjs';
20
+ import { generateEncryptionKey, encryptAssets, keyToObfuscatedCode } from './crypto-assets.mjs';
21
+ import { obfuscateBootstrap } from './obfuscate.mjs';
22
+ import { bundleEntry } from './entry-bundler.mjs';
23
+ import * as diag from './diagnostics.mjs';
24
+
25
+ const __filename = fileURLToPath(import.meta.url);
26
+ const __dirname = path.dirname(__filename);
27
+ const require = Module.createRequire(import.meta.url);
28
+
29
+ /**
30
+ * Multi-target build orchestrator
31
+ */
32
+ export class MultiTargetBuilder {
33
+ /**
34
+ * @param {import('./config.mjs').SeaboxConfigV2} config - Build configuration
35
+ * @param {string} projectRoot - Project root directory
36
+ */
37
+ constructor(config, projectRoot = process.cwd()) {
38
+ this.config = config;
39
+ this.projectRoot = projectRoot;
40
+ this.cache = new BuildCache(path.join(projectRoot, 'node_modules', '.cache', '.seabox-cache'));
41
+ this.verbose = config.verbose || false;
42
+
43
+ // Set verbose mode for diagnostics
44
+ diag.setVerbose(this.verbose);
45
+ }
46
+
47
+ /**
48
+ * Build all configured targets
49
+ * @returns {Promise<Array<{target: string, path: string}>>}
50
+ */
51
+ async buildAll() {
52
+ diag.header('Seabox Multi-Target Build');
53
+
54
+ // Step 1: Bundle entry once (platform-agnostic JavaScript)
55
+ const { bundledPath, nativeModules, detectedAssets } = await this.bundleEntry();
56
+
57
+ if (this.verbose && detectedAssets.size > 0) {
58
+ diag.separator();
59
+ diag.info('Auto-detected assets:');
60
+ for (const assetPath of detectedAssets) {
61
+ diag.listItem(assetPath, 1);
62
+ }
63
+ }
64
+
65
+ if (this.verbose && nativeModules.size > 0) {
66
+ diag.separator();
67
+ diag.info('Native modules detected:');
68
+ for (const [name, info] of nativeModules) {
69
+ diag.listItem(`${name}: ${info.packageRoot}`, 1);
70
+ }
71
+ }
72
+
73
+ // Step 2: Build all targets (can be parallelized)
74
+ diag.separator();
75
+ diag.info(`Building ${this.config.outputs.length} target(s)...`);
76
+ diag.separator();
77
+
78
+ const buildPromises = this.config.outputs.map((output, index) =>
79
+ this.buildTarget(output, bundledPath, nativeModules, detectedAssets, index + 1)
80
+ );
81
+
82
+ const results = await Promise.all(buildPromises);
83
+
84
+ diag.summary('All builds completed successfully!');
85
+
86
+ return results;
87
+ }
88
+
89
+ /**
90
+ * Bundle the entry file with Rollup
91
+ * @returns {Promise<{bundledPath: string, nativeModules: Map}>}
92
+ */
93
+ async bundleEntry() {
94
+ diag.step(1, 6, 'Bundling application with Rollup...');
95
+
96
+ const entryPath = path.resolve(this.projectRoot, this.config.entry);
97
+
98
+ if (!fs.existsSync(entryPath)) {
99
+ throw new Error(`Entry file not found: ${entryPath}`);
100
+ }
101
+
102
+ const bundledPath = path.join(this.projectRoot, 'out', '_sea-entry.js');
103
+
104
+ // Create output directory
105
+ fs.mkdirSync(path.dirname(bundledPath), { recursive: true });
106
+
107
+ const result = await bundleWithRollup(
108
+ entryPath,
109
+ bundledPath,
110
+ { ...this.config, _projectRoot: this.projectRoot },
111
+ process.platform, // Use current platform for bundling (JavaScript is platform-agnostic)
112
+ process.arch,
113
+ this.verbose
114
+ );
115
+
116
+ diag.success(`Bundle created: ${bundledPath}`);
117
+
118
+ return result;
119
+ }
120
+
121
+
122
+
123
+ /**
124
+ * Build a single target
125
+ * @param {import('./config.mjs').OutputTarget} outputConfig - Target configuration
126
+ * @param {string} bundledEntryPath - Path to bundled entry
127
+ * @param {Map} nativeModules - Detected native modules
128
+ * @param {Set<string>} detectedAssets - Auto-detected assets from bundler
129
+ * @param {number} buildNumber - Build number for display
130
+ * @returns {Promise<{target: string, path: string}>}
131
+ */
132
+ async buildTarget(outputConfig, bundledEntryPath, nativeModules, detectedAssets, buildNumber) {
133
+ const { target, path: outputPath, output: executableName } = outputConfig;
134
+ const { nodeVersion, platform, arch } = parseTarget(target);
135
+
136
+ diag.subheader(`[Build ${buildNumber}] Target: ${target}`);
137
+
138
+ // Step 1: Rebuild native modules for this target
139
+ const rebuiltModules = await this.rebuildNativeModulesForTarget(
140
+ nativeModules,
141
+ target,
142
+ buildNumber
143
+ );
144
+
145
+ // Step 2: Collect config assets (manual globs)
146
+ const configAssets = await this.collectConfigAssets(
147
+ this.config.assets || [],
148
+ buildNumber
149
+ );
150
+
151
+ // Step 3: Collect auto-detected assets (from path.join(__dirname, ...))
152
+ const autoAssets = await this.collectDetectedAssets(
153
+ detectedAssets,
154
+ buildNumber
155
+ );
156
+
157
+ // Step 4: Collect platform-specific libraries (DLLs/SOs)
158
+ const platformLibraries = await this.collectPlatformLibraries(
159
+ outputConfig.libraries,
160
+ platform,
161
+ arch,
162
+ buildNumber
163
+ );
164
+
165
+ // Step 5: Prepare bundled entry with bootstrap
166
+ const finalEntryPath = await this.prepareFinalEntry(
167
+ bundledEntryPath,
168
+ buildNumber
169
+ );
170
+
171
+ // Step 6: Combine all assets (dedupe by assetKey)
172
+ const assetMap = new Map();
173
+
174
+ // Add in order of priority (later overwrites earlier)
175
+ for (const asset of [...rebuiltModules, ...configAssets, ...autoAssets, ...platformLibraries]) {
176
+ assetMap.set(asset.assetKey, asset);
177
+ }
178
+
179
+ const allAssets = Array.from(assetMap.values());
180
+
181
+ // Verbose logging: List all embedded assets
182
+ if (this.verbose) {
183
+ diag.separator();
184
+ diag.verbose(`Embedded Assets (${allAssets.length} total):`, 1);
185
+
186
+ const nativeAssets = allAssets.filter(a => a.assetKey.includes('.node'));
187
+ const libraryAssets = allAssets.filter(a => a.isBinary && !a.assetKey.includes('.node'));
188
+ const regularAssets = allAssets.filter(a => !a.isBinary);
189
+
190
+ if (nativeAssets.length > 0) {
191
+ diag.verbose(`Native Modules (${nativeAssets.length}):`, 1);
192
+ for (const asset of nativeAssets) {
193
+ const size = diag.formatSize(fs.statSync(asset.sourcePath).size);
194
+ const displayName = path.basename(asset.assetKey);
195
+ diag.verbose(`- ${displayName} (${size})`, 2);
196
+ }
197
+ }
198
+
199
+ if (libraryAssets.length > 0) {
200
+ diag.verbose(`Platform Libraries (${libraryAssets.length}):`, 1);
201
+ for (const asset of libraryAssets) {
202
+ const size = diag.formatSize(fs.statSync(asset.sourcePath).size);
203
+ diag.verbose(`- ${asset.assetKey} (${size})`, 2);
204
+ }
205
+ }
206
+
207
+ if (regularAssets.length > 0) {
208
+ diag.verbose(`Regular Assets (${regularAssets.length}):`, 1);
209
+ for (const asset of regularAssets) {
210
+ const size = diag.formatSize(fs.statSync(asset.sourcePath).size);
211
+ diag.verbose(`- ${asset.assetKey} (${size})`, 2);
212
+ }
213
+ }
214
+ }
215
+
216
+ // Step 7: Generate SEA
217
+ await this.generateSEAForTarget({
218
+ assets: allAssets,
219
+ entryPath: finalEntryPath,
220
+ target,
221
+ outputPath,
222
+ executableName,
223
+ platform,
224
+ arch,
225
+ nodeVersion,
226
+ rcedit: outputConfig.rcedit,
227
+ buildNumber
228
+ });
229
+
230
+ const finalPath = path.join(outputPath, executableName);
231
+ diag.success(`Build complete: ${finalPath}`);
232
+
233
+ // Apply custom signing if configured
234
+ if (this.config.sign) {
235
+ await this.applyCustomSigning(finalPath, target, platform, arch, nodeVersion, buildNumber);
236
+ }
237
+
238
+ return {
239
+ target,
240
+ path: finalPath
241
+ };
242
+ }
243
+
244
+ /**
245
+ * Rebuild native modules for specific target
246
+ */
247
+ async rebuildNativeModulesForTarget(nativeModules, target, buildNumber) {
248
+ if (nativeModules.size === 0) {
249
+ return [];
250
+ }
251
+
252
+ diag.buildStep(buildNumber, 1, `Rebuilding ${nativeModules.size} native module(s)...`);
253
+
254
+ const rebuiltAssets = [];
255
+ const { platform, arch } = parseTarget(target);
256
+
257
+ for (const [moduleKey, moduleInfo] of nativeModules) {
258
+ const moduleName = moduleInfo.moduleName || path.basename(moduleKey, '.node');
259
+
260
+ try {
261
+ // Skip rebuilding if this is already a prebuild for the target platform
262
+ if (moduleInfo.isPrebuild) {
263
+ diag.verbose(`Using prebuild: ${moduleName}`, 2);
264
+
265
+ const relativeFromProject = path.relative(this.projectRoot, moduleInfo.binaryPath).replace(/\\/g, '/');
266
+
267
+ rebuiltAssets.push({
268
+ sourcePath: moduleInfo.binaryPath,
269
+ assetKey: relativeFromProject,
270
+ isBinary: true,
271
+ hash: await this.computeHash(moduleInfo.binaryPath)
272
+ });
273
+ continue;
274
+ }
275
+
276
+ // Check cache first
277
+ const cachedBuild = this.cache.getCachedNativeBuild(moduleInfo.packageRoot, target);
278
+
279
+ if (cachedBuild) {
280
+ diag.verbose(`Using cached build: ${moduleName}`, 2);
281
+
282
+ // Use relative path from project root
283
+ const relativeFromProject = path.relative(this.projectRoot, cachedBuild).replace(/\\/g, '/');
284
+
285
+ rebuiltAssets.push({
286
+ sourcePath: cachedBuild,
287
+ assetKey: relativeFromProject,
288
+ isBinary: true,
289
+ hash: await this.computeHash(cachedBuild)
290
+ });
291
+ continue;
292
+ }
293
+
294
+ // Rebuild the module
295
+ diag.verbose(`Rebuilding: ${moduleName}`, 2);
296
+
297
+ await this.rebuildNativeModule(moduleInfo.packageRoot, target);
298
+
299
+ // Find the built binary
300
+ const builtPath = await this.findBuiltBinary(moduleInfo, target);
301
+
302
+ if (builtPath) {
303
+ // Cache the build
304
+ this.cache.cacheNativeBuild(moduleInfo.packageRoot, target, builtPath);
305
+
306
+ // Use relative path from project root
307
+ const relativeFromProject = path.relative(this.projectRoot, builtPath).replace(/\\/g, '/');
308
+
309
+ rebuiltAssets.push({
310
+ sourcePath: builtPath,
311
+ assetKey: relativeFromProject,
312
+ isBinary: true,
313
+ hash: await this.computeHash(builtPath)
314
+ });
315
+
316
+ diag.verbose(`Built: ${moduleName} -> ${builtPath}`, 2);
317
+ }
318
+ } catch (err) {
319
+ diag.warn(`Failed to rebuild ${moduleName}: ${err.message}`, 2);
320
+ }
321
+ }
322
+
323
+ diag.success('Native modules processed');
324
+ return rebuiltAssets;
325
+ }
326
+
327
+ /**
328
+ * Rebuild a single native module
329
+ */
330
+ async rebuildNativeModule(packageRoot, target) {
331
+ const rebuildScript = path.join(__dirname, '..', 'bin', 'seabox-rebuild.mjs');
332
+
333
+ if (!fs.existsSync(rebuildScript)) {
334
+ throw new Error('seabox-rebuild.mjs not found');
335
+ }
336
+
337
+ try {
338
+ execSync(`node "${rebuildScript}" --target ${target} "${packageRoot}"`, {
339
+ stdio: this.verbose ? 'inherit' : 'pipe',
340
+ cwd: this.projectRoot
341
+ });
342
+ } catch (err) {
343
+ throw new Error(`Rebuild failed: ${err.message}`);
344
+ }
345
+ }
346
+
347
+ /**
348
+ * Find the built .node binary
349
+ */
350
+ async findBuiltBinary(moduleInfo, target) {
351
+ // Try common build locations
352
+ const searchPaths = [
353
+ path.join(moduleInfo.packageRoot, 'build/Release'),
354
+ path.join(moduleInfo.packageRoot, 'build/Debug'),
355
+ moduleInfo.buildPath
356
+ ];
357
+
358
+ for (const searchPath of searchPaths) {
359
+ if (fs.existsSync(searchPath)) {
360
+ const files = fs.readdirSync(searchPath);
361
+ const nodeFile = files.find(f => f.endsWith('.node'));
362
+
363
+ if (nodeFile) {
364
+ return path.join(searchPath, nodeFile);
365
+ }
366
+ }
367
+ }
368
+
369
+ return null;
370
+ }
371
+
372
+ /**
373
+ * Collect platform-specific libraries (DLLs, SOs, DYLIBs) that need filesystem extraction
374
+ * Only includes libraries explicitly listed in config patterns - no automatic discovery.
375
+ * Libraries referenced in code (e.g., path.join(__dirname, './lib/foo.dll')) are
376
+ * already captured by the bundler's asset detection.
377
+ *
378
+ * @param {string[]} libraryPatterns - Explicit glob patterns for libraries from config
379
+ * @param {string} platform - Target platform
380
+ * @param {string} arch - Target architecture
381
+ * @param {number} buildNumber - Build number for display
382
+ */
383
+ async collectPlatformLibraries(libraryPatterns, platform, arch, buildNumber) {
384
+ // Only process explicitly configured library patterns
385
+ // Do NOT use default patterns - this prevents automatic inclusion of unrelated DLLs
386
+ if (!libraryPatterns || libraryPatterns.length === 0) {
387
+ return [];
388
+ }
389
+
390
+ diag.buildStep(buildNumber, 4, `Collecting platform libraries (${platform})...`);
391
+
392
+ const { glob } = await import('glob');
393
+ const libraries = [];
394
+
395
+ for (const pattern of libraryPatterns) {
396
+ const matches = await glob(pattern, {
397
+ cwd: this.projectRoot,
398
+ nodir: true,
399
+ absolute: false,
400
+ ignore: [
401
+ '**/node_modules/**',
402
+ '**/.git/**',
403
+ '**/dist/**',
404
+ '**/build/**',
405
+ '**/out/**',
406
+ '**/bin/**',
407
+ '**/obj/**',
408
+ '**/tools/**',
409
+ '**/.seabox-cache/**'
410
+ ]
411
+ });
412
+
413
+ for (const match of matches) {
414
+ const sourcePath = path.resolve(this.projectRoot, match);
415
+
416
+ libraries.push({
417
+ sourcePath,
418
+ assetKey: match.replace(/\\/g, '/'),
419
+ isBinary: true,
420
+ hash: await this.computeHash(sourcePath)
421
+ });
422
+ }
423
+ }
424
+
425
+ if (libraries.length > 0) {
426
+ diag.success(`Collected ${libraries.length} library file(s)`);
427
+ }
428
+
429
+ return libraries;
430
+ }
431
+
432
+ /**
433
+ * Collect assets from config globs
434
+ * @param {string[]} assetPatterns - Glob patterns for assets
435
+ * @param {number} buildNumber - Build number for display
436
+ */
437
+ async collectConfigAssets(assetPatterns, buildNumber) {
438
+ if (!assetPatterns || assetPatterns.length === 0) {
439
+ return [];
440
+ }
441
+
442
+ diag.buildStep(buildNumber, 2, 'Collecting config assets...');
443
+
444
+ const { glob } = await import('glob');
445
+ const assets = [];
446
+
447
+ for (const pattern of assetPatterns) {
448
+ const matches = await glob(pattern, {
449
+ cwd: this.projectRoot,
450
+ nodir: true,
451
+ absolute: false,
452
+ ignore: [
453
+ '**/node_modules/**',
454
+ '**/.git/**',
455
+ '**/dist/**',
456
+ '**/build/**',
457
+ '**/out/**',
458
+ '**/bin/**',
459
+ '**/obj/**',
460
+ '**/tools/**',
461
+ '**/.seabox-cache/**'
462
+ ]
463
+ });
464
+
465
+ for (const match of matches) {
466
+ const sourcePath = path.resolve(this.projectRoot, match);
467
+
468
+ assets.push({
469
+ sourcePath,
470
+ assetKey: match.replace(/\\/g, '/'),
471
+ isBinary: this.isBinaryFile(sourcePath),
472
+ hash: await this.computeHash(sourcePath)
473
+ });
474
+ }
475
+ }
476
+
477
+ if (assets.length > 0) {
478
+ diag.success(`Collected ${assets.length} config asset(s)`);
479
+ }
480
+
481
+ return assets;
482
+ }
483
+
484
+ /**
485
+ * Collect auto-detected assets from bundler (path.join(__dirname, ...))
486
+ * @param {Set<string>} detectedAssets - Asset paths detected during bundling
487
+ * @param {number} buildNumber - Build number for display
488
+ */
489
+ async collectDetectedAssets(detectedAssets, buildNumber) {
490
+ if (!detectedAssets || detectedAssets.size === 0) {
491
+ return [];
492
+ }
493
+
494
+ diag.buildStep(buildNumber, 3, 'Processing auto-detected assets...');
495
+
496
+ const assets = [];
497
+
498
+ for (const assetKey of detectedAssets) {
499
+ const sourcePath = path.resolve(this.projectRoot, assetKey);
500
+
501
+ // Verify file still exists
502
+ if (fs.existsSync(sourcePath)) {
503
+ assets.push({
504
+ sourcePath,
505
+ assetKey: assetKey,
506
+ isBinary: this.isBinaryFile(sourcePath),
507
+ hash: await this.computeHash(sourcePath)
508
+ });
509
+ }
510
+ }
511
+
512
+ if (assets.length > 0) {
513
+ diag.success(`Collected ${assets.length} auto-detected asset(s)`);
514
+ }
515
+
516
+ return assets;
517
+ }
518
+
519
+ /**
520
+ * Check if a file is binary based on extension
521
+ */
522
+ isBinaryFile(filePath) {
523
+ const binaryExtensions = ['.node', '.dll', '.so', '.dylib', '.exe', '.png', '.jpg', '.jpeg', '.gif', '.ico', '.woff', '.woff2', '.ttf', '.eot'];
524
+ const ext = path.extname(filePath).toLowerCase();
525
+ return binaryExtensions.includes(ext);
526
+ }
527
+
528
+ /**
529
+ * Prepare final entry with bootstrap
530
+ */
531
+ async prepareFinalEntry(bundledEntryPath, buildNumber) {
532
+ diag.buildStep(buildNumber, 3, 'Preparing bootstrap...');
533
+
534
+ const bootstrapPath = path.join(__dirname, 'bootstrap.cjs');
535
+ const bootstrapContent = fs.readFileSync(bootstrapPath, 'utf8');
536
+
537
+ let augmentedBootstrap = bootstrapContent;
538
+
539
+ // Handle encryption if enabled
540
+ if (this.config.encryptAssets) {
541
+ const encryptionKey = generateEncryptionKey();
542
+ const keyCode = keyToObfuscatedCode(encryptionKey);
543
+
544
+ const encryptionSetup = `
545
+ const SEA_ENCRYPTION_KEY = ${keyCode};
546
+ const SEA_ENCRYPTED_ASSETS = new Set([]);
547
+ `;
548
+
549
+ augmentedBootstrap = bootstrapContent.replace(
550
+ " 'use strict';",
551
+ " 'use strict';\n" + encryptionSetup
552
+ );
553
+
554
+ diag.verbose('Encryption enabled and bootstrap obfuscated', 2);
555
+
556
+ augmentedBootstrap = obfuscateBootstrap(augmentedBootstrap);
557
+ }
558
+
559
+ // Read bundled entry
560
+ const entryContent = fs.readFileSync(bundledEntryPath, 'utf8');
561
+
562
+ // Bundle with bootstrap
563
+ const finalEntry = bundleEntry(entryContent, augmentedBootstrap, this.config.useSnapshot, this.verbose);
564
+
565
+ // Write final entry
566
+ const finalPath = bundledEntryPath.replace('.js', '-final.js');
567
+ fs.writeFileSync(finalPath, finalEntry, 'utf8');
568
+
569
+ diag.success('Bootstrap prepared');
570
+ return finalPath;
571
+ }
572
+
573
+ /**
574
+ * Generate SEA for a specific target
575
+ */
576
+ async generateSEAForTarget(options) {
577
+ const {
578
+ assets,
579
+ entryPath,
580
+ target,
581
+ outputPath: outputDir,
582
+ executableName,
583
+ platform,
584
+ arch,
585
+ nodeVersion,
586
+ rcedit,
587
+ buildNumber
588
+ } = options;
589
+
590
+ diag.buildStep(buildNumber, 4, 'Generating SEA blob...');
591
+
592
+ // Generate manifest
593
+ const manifest = generateManifest(
594
+ assets,
595
+ {
596
+ _packageName: this.config._packageName || 'app',
597
+ _packageVersion: this.config._packageVersion || '1.0.0',
598
+ cacheLocation: this.config.cacheLocation
599
+ },
600
+ platform,
601
+ arch
602
+ );
603
+
604
+ const manifestJson = serializeManifest(manifest);
605
+ const manifestAsset = {
606
+ sourcePath: null,
607
+ assetKey: 'sea-manifest.json',
608
+ isBinary: false,
609
+ content: Buffer.from(manifestJson, 'utf8')
610
+ };
611
+
612
+ const allAssets = [...assets, manifestAsset];
613
+
614
+ // Create SEA config
615
+ const tempDir = path.join(this.projectRoot, 'out', '.sea-temp', target);
616
+ fs.mkdirSync(tempDir, { recursive: true });
617
+
618
+ const blobOutputPath = path.join(tempDir, 'sea-blob.blob');
619
+ const seaConfig = createSeaConfig(entryPath, blobOutputPath, allAssets, this.config);
620
+
621
+ const seaConfigPath = path.join(tempDir, 'sea-config.json');
622
+ writeSeaConfigJson(seaConfig, seaConfigPath, allAssets, tempDir);
623
+
624
+ // Generate blob
625
+ await generateBlob(seaConfigPath, process.execPath);
626
+ diag.success('SEA blob generated');
627
+
628
+ // Fetch Node binary
629
+ diag.buildStep(buildNumber, 5, 'Fetching Node.js binary...');
630
+ const cacheDir = path.join(this.projectRoot, 'node_modules', '.cache', 'sea-node-binaries');
631
+ const nodeBinary = await fetchNodeBinary(nodeVersion, platform, arch, cacheDir);
632
+ diag.success('Node binary ready');
633
+
634
+ // Inject blob
635
+ diag.buildStep(buildNumber, 6, 'Injecting blob into executable...');
636
+ const outputExe = path.join(outputDir, executableName);
637
+ await injectBlob(nodeBinary, blobOutputPath, outputExe, platform, this.verbose, rcedit);
638
+
639
+ // Cleanup
640
+ if (!this.verbose) {
641
+ fs.rmSync(tempDir, { recursive: true, force: true });
642
+ }
643
+
644
+ const size = diag.formatSize(fs.statSync(outputExe).size);
645
+ diag.success(`Injected (${size})`);
646
+ }
647
+
648
+ /**
649
+ * Compute SHA-256 hash of a file
650
+ */
651
+ async computeHash(filePath) {
652
+ return new Promise((resolve, reject) => {
653
+ const hash = crypto.createHash('sha256');
654
+ const stream = fs.createReadStream(filePath);
655
+ stream.on('data', chunk => hash.update(chunk));
656
+ stream.on('end', () => resolve(hash.digest('hex')));
657
+ stream.on('error', reject);
658
+ });
659
+ }
660
+
661
+ /**
662
+ * Apply custom signing script
663
+ * @param {string} exePath - Path to executable
664
+ * @param {string} target - Build target
665
+ * @param {string} platform - Platform (win32, linux, darwin)
666
+ * @param {string} arch - Architecture (x64, arm64)
667
+ * @param {string} nodeVersion - Node version
668
+ * @param {number} buildNumber - Build number
669
+ */
670
+ async applyCustomSigning(exePath, target, platform, arch, nodeVersion, buildNumber) {
671
+ diag.buildStep(buildNumber, 7, 'Applying custom signing...');
672
+
673
+ try {
674
+ const signScriptPath = path.resolve(this.projectRoot, this.config.sign);
675
+
676
+ if (!fs.existsSync(signScriptPath)) {
677
+ throw new Error(`Signing script not found: ${signScriptPath}`);
678
+ }
679
+
680
+ // Dynamic import of the signing script - convert to file:// URL for Windows
681
+ const { pathToFileURL } = await import('url');
682
+ const signModuleURL = pathToFileURL(signScriptPath).href;
683
+ const signModule = await import(signModuleURL);
684
+ const signFunction = signModule.default;
685
+
686
+ if (typeof signFunction !== 'function') {
687
+ throw new Error('Signing script must export a default function');
688
+ }
689
+
690
+ // Call the signing function with config
691
+ await signFunction({
692
+ exePath: path.resolve(exePath),
693
+ target,
694
+ platform,
695
+ arch,
696
+ nodeVersion,
697
+ projectRoot: this.projectRoot
698
+ });
699
+
700
+ diag.success('Custom signing applied');
701
+ } catch (error) {
702
+ throw new Error(`Signing failed: ${error.message}`);
703
+ }
704
+ }
705
+ }