A Practical Guide to Optimizing Vite Build Performance with Worker Threads
From 120 Seconds to 45 Seconds: A Practical Guide to Optimizing Vite Build Performance with Worker Threads
Section titled “From 120 Seconds to 45 Seconds: A Practical Guide to Optimizing Vite Build Performance with Worker Threads”When working with large frontend projects, production builds can feel painfully slow. This article shares how we used Node.js Worker Threads to reduce the obfuscation stage in a Vite build from 120 seconds to 45 seconds, along with the implementation details and lessons learned in the HagiCode project.
Background
Section titled “Background”In our frontend engineering practice, build efficiency issues became increasingly prominent as the project grew. In particular, during the production build process, we usually introduce JavaScript obfuscation tools such as javascript-obfuscator to protect the source code logic. This step is necessary, but it is also computationally expensive and heavily CPU-bound.
During the early development stage of HagiCode, we ran into a very tricky performance bottleneck: production build times deteriorated rapidly as the codebase grew.
The specific pain points were:
- Obfuscation tasks ran serially on a single thread, maxing out one CPU core while the others sat idle
- Build time surged from the original 30 seconds to 110-120 seconds
- The post-change build verification loop became extremely long, seriously slowing development iteration
- In the CI/CD pipeline, the build stage became the most time-consuming part
Why did HagiCode need this? HagiCode is an AI-driven code assistant whose frontend architecture includes complex business logic and AI interaction modules. To ensure the security of our core code, we enforced high-intensity obfuscation in production releases. Faced with build waits approaching two minutes, we decided to carry out a deep performance optimization of the build system.
About HagiCode
Section titled “About HagiCode”Since we have mentioned the project, let me say a bit more about it.
If you have run into frustrations like these during development:
- Multiple projects and multiple tech stacks, with high maintenance costs for build scripts
- Complicated CI/CD pipeline configuration, forcing you to check the docs every time you make a change
- Endless cross-platform compatibility issues
- Wanting AI to help write code, but finding existing tools not smart enough
Then HagiCode, which we are building, may interest you.
What is HagiCode?
- An AI-driven code assistant
- Supports multi-language, cross-platform code generation and optimization
- Comes with built-in gamification so coding feels less tedious
Why mention it here? The parallel JavaScript obfuscation solution shared in this article is exactly what we refined while building HagiCode. If you find this engineering approach valuable, that suggests our technical taste is probably pretty good, and HagiCode itself may also be worth a look.
Want to learn more?
- GitHub: github.com/HagiCode-org/site (please give us a Star)
- Official website: hagicode.com
- Video demo: www.bilibili.com/video/BV1pirZBuEzq/ (30-minute hands-on demo)
- Installation guide: hagicode.com/installation/docker-compose
- Public beta is now open: install now to join the beta
Analysis: Finding the Breakthrough Point in the Performance Bottleneck
Section titled “Analysis: Finding the Breakthrough Point in the Performance Bottleneck”Before solving the performance issue, we first needed to clarify our thinking and identify the best technical solution.
Core Decision: Why Choose Worker Threads?
Section titled “Core Decision: Why Choose Worker Threads?”There are three main ways to achieve parallel computation in Node.js:
- child_process: create independent child processes
- Web Workers: mainly used on the browser side
- worker_threads: native multithreading support in Node.js
After comparing the options, HagiCode ultimately chose Worker Threads for the following reasons:
- Zero serialization overhead: Worker Threads run in the same process and can share memory through
SharedArrayBufferor transfer ownership, avoiding the heavy serialization cost of inter-process communication. - Native support: built into Node.js 12+ with no need for extra heavyweight dependencies.
- Unified context: debugging and logging are more convenient than with child processes.
Task Granularity: How Should Obfuscation Tasks Be Split?
Section titled “Task Granularity: How Should Obfuscation Tasks Be Split?”It is hard to parallelize the obfuscation of one huge JS bundle file because the code has dependencies, but Vite build output is composed of multiple chunks. That gives us a natural parallel boundary:
- Independence: after Vite packaging, dependencies between different chunks are already decoupled, so they can be processed safely in parallel.
- Appropriate granularity: projects usually have 10-30 chunks, which is an excellent scale for parallel scheduling.
- Easy integration: the
generateBundlehook in Vite plugins lets us intercept and process these chunks before the files are emitted.
Architecture Design
Section titled “Architecture Design”We designed a parallel processing system with four core components:
- Task Splitter: iterates over Vite’s bundle object, filters out files that do not need obfuscation such as vendor chunks, and generates a task queue.
- Worker Pool Manager: manages the Worker lifecycle and handles task distribution, recycling, and retry on failure.
- Progress Reporter: outputs build progress in real time to reduce waiting anxiety.
- ObfuscationWorker: the Worker thread that actually performs the obfuscation logic.
Solution: Hands-On Implementation
Section titled “Solution: Hands-On Implementation”Based on the analysis above, we started implementing this parallel obfuscation system.
1. Configure the Vite Plugin
Section titled “1. Configure the Vite Plugin”First, we integrated the parallel obfuscation plugin in vite.config.ts. The configuration is straightforward. You only need to specify the number of Workers and the obfuscation rules.
import { defineConfig } from 'vite'import { parallelJavascriptObfuscator } from './buildTools/plugin'
export default defineConfig(({ mode }) => { const isProduction = mode === 'production'
return { build: { rollupOptions: { ...(isProduction ? { plugins: [ parallelJavascriptObfuscator({ enabled: true, // Automatically adjust based on CPU core count; leave one core for the main thread workerCount: 4, retryAttempts: 3, fallbackToMainThread: true, // Automatically degrade to single-thread mode on failure // Filter out vendor chunks; third-party libraries usually do not need obfuscation isVendorChunk: (fileName: string) => fileName.includes('vendor-'), obfuscationConfig: { compact: true, controlFlowFlattening: true, deadCodeInjection: true, disableConsoleOutput: true, // ... more obfuscation options }, }), ], } : {}), }, }, }})2. Implement the Worker Logic
Section titled “2. Implement the Worker Logic”A Worker is the unit that executes tasks. We need to define the input and output data structures clearly.
Note: although the code here is simple, there are several pitfalls to watch out for, such as checking whether parentPort is null and handling errors properly. In HagiCode’s implementation, we found that certain special ES6 syntax patterns could cause the obfuscator to crash, so we added try-catch protection.
import { parentPort } from 'worker_threads'import javascriptObfuscator from 'javascript-obfuscator'
export interface ObfuscationTask { chunkId: string code: string config: any}
export interface ObfuscationResult { chunkId: string obfuscatedCode: string error?: string}
// Listen for tasks sent from the main threadif (parentPort) { parentPort.on('message', async (task: ObfuscationTask) => { try { // Perform obfuscation const obfuscated = javascriptObfuscator.obfuscate(task.code, task.config) const result: ObfuscationResult = { chunkId: task.chunkId, obfuscatedCode: obfuscated.getObfuscatedCode(), } // Send the result back to the main thread parentPort?.postMessage(result) } catch (error) { // Handle exceptions so one Worker crash does not block the whole build const result: ObfuscationResult = { chunkId: task.chunkId, obfuscatedCode: '', error: error instanceof Error ? error.message : 'Unknown error', } parentPort?.postMessage(result) } })}3. Worker Pool Manager
Section titled “3. Worker Pool Manager”This is the core of the whole solution. We need to maintain a fixed-size Worker pool and schedule tasks using a FIFO (first in, first out) strategy.
import { Worker } from 'worker_threads'import os from 'os'
export class WorkerPool { private workers: Worker[] = [] private taskQueue: Array<{ task: ObfuscationTask resolve: (result: ObfuscationResult) => void reject: (error: Error) => void }> = []
constructor(options: WorkerPoolOptions = {}) { // Default to core count - 1 so the main thread still has some breathing room const workerCount = options.workerCount ?? Math.max(1, (os.cpus().length || 4) - 1)
for (let i = 0; i < workerCount; i++) { this.createWorker() } }
private createWorker() { const worker = new Worker('./worker.ts')
worker.on('message', (result) => { // After one task finishes, take the next task from the queue const nextTask = this.taskQueue.shift() if (nextTask) { this.dispatchTask(worker, nextTask) } else { // If there are no pending tasks, mark the Worker as idle this.activeWorkers.delete(worker) } })
this.workers.push(worker) }
// Submit a task to the pool public runTask(task: ObfuscationTask): Promise<ObfuscationResult> { return new Promise((resolve, reject) => { const job = { task, resolve, reject } const idleWorker = this.workers.find(w => !this.activeWorkers.has(w))
if (idleWorker) { this.dispatchTask(idleWorker, job) } else { this.taskQueue.push(job) } }) }
private dispatchTask(worker: Worker, job: any) { this.activeWorkers.set(worker, job.task) worker.postMessage(job.task) }}4. Progress Reporting
Section titled “4. Progress Reporting”Waiting is painful, especially when you have no idea how much longer it will take. So we added a simple progress reporter to provide real-time feedback on the current status.
export class ProgressReporter { private completed = 0 private readonly total: number private readonly startTime: number
constructor(total: number) { this.total = total this.startTime = Date.now() }
increment(): void { this.completed++ this.report() }
private report(): void { const now = Date.now() const elapsed = now - this.startTime const percentage = (this.completed / this.total) * 100
// Simple ETA estimate const avgTimePerChunk = elapsed / this.completed const remaining = (this.total - this.completed) * avgTimePerChunk
console.log( `[Parallel Obfuscation] ${this.completed}/${this.total} chunks completed (${percentage.toFixed(1)}%) | ETA: ${(remaining / 1000).toFixed(1)}s` ) }}Practice: Results and Lessons Learned
Section titled “Practice: Results and Lessons Learned”After deploying this solution, the build performance of the HagiCode project improved immediately.
Performance Benchmark Data
Section titled “Performance Benchmark Data”We tested in the following environment:
- CPU: Intel Core i7-12700K (12 cores / 20 threads)
- RAM: 32GB DDR4
- Node.js: v18.17.0
- OS: Ubuntu 22.04
Results comparison:
- Single-threaded (before optimization): 118 seconds
- 4 Workers: 55 seconds (53% improvement)
- 8 Workers: 48 seconds (60% improvement)
- 12 Workers: 45 seconds (62% improvement)
As you can see, the gains were not linear. Once the Worker count exceeded 8, the improvement became smaller. This was mainly limited by the evenness of task distribution and memory bandwidth bottlenecks.
Common Issues and Solutions
Section titled “Common Issues and Solutions”In HagiCode’s real-world use, we also ran into several pitfalls, so here they are for reference:
Q1: Build time did not decrease much and even became slower?
- Reason: creating Workers has its own overhead, or too many Workers were configured, causing frequent context switching.
- Solution: we recommend setting the Worker count to
CPU core count - 1. Also check whether any single chunk is especially large, for example> 5MB. That kind of “monster” file will become the bottleneck, so you may need to optimize your code splitting strategy.
Q2: Workers occasionally crash and cause build failures?
- Reason: some special code syntax patterns may cause internal errors inside the obfuscator.
- Solution: we implemented an automatic degradation mechanism. When a Worker reaches the failure threshold, the plugin automatically falls back to single-thread mode to ensure the build does not stop. At the same time, it records the filename that caused the error so it can be fixed later.
Q3: Memory usage is too high (OOM)?
- Reason: each Worker needs its own memory space to load the obfuscator and parse the AST.
- Solution:
- Reduce the number of Workers.
- Increase the Node.js memory limit:
NODE_OPTIONS="--max-old-space-size=4096" npm run build. - Make sure Workers do not keep unnecessary references to large objects.
Conclusion
Section titled “Conclusion”By introducing Node.js Worker Threads, we successfully reduced the production build time of the HagiCode project from 120 seconds to around 45 seconds, greatly improving the development experience and CI/CD efficiency.
The core of this solution is:
- Split tasks properly: use Vite chunks as the parallel unit.
- Control resources: use a Worker pool to avoid resource exhaustion.
- Design for fault tolerance: an automatic degradation mechanism ensures build stability.
If you are also struggling with frontend build efficiency, or your project also does heavy code processing, this solution is worth trying. Of course, we would recommend taking a direct look at HagiCode, where these engineering details are already integrated.
If this article helped you, feel free to give us a Star on GitHub or join the public beta and try it out.
References
Section titled “References”- Node.js Worker Threads official documentation: nodejs.org/api/worker_threads.html
- javascript-obfuscator documentation: github.com/javascript-obfuscator/javascript-obfuscator
- Vite plugin development guide: vitejs.dev/guide/api-plugin.html
- HagiCode GitHub: github.com/HagiCode-org/site
- HagiCode official website: hagicode.com
- Installation guide: hagicode.com/installation/docker-compose
Thank you for reading. If you found this article useful, please click the like button below so more people can discover it.
This content was created with AI-assisted collaboration, reviewed by me, and reflects my own views and position.
- Author: newbe36524
- Article link: https://hagicode.com/blog/2026/01/27/optimizing-vite-build-with-worker-threads
- Copyright notice: Unless otherwise stated, all articles on this blog are licensed under BY-NC-SA. Please indicate the source when reposting.