Skip to content

Conversation

@PeterDaveHello
Copy link
Member

@PeterDaveHello PeterDaveHello commented Aug 30, 2025

User description

Replace JS/CSS minifiers with esbuild to reduce build times while preserving outputs.

Enable thread-loader by default in dev and production. Choose workers dynamically (based on CPU cores) and allow overrides via environment variables. Keep filesystem cache enabled and make cache compression configurable, defaulting to uncompressed for faster warm builds on CPU-bound machines. Add BUILD_PARALLEL toggle (default on) to switch between parallel and sequential production variant builds. Ensure watch-once dev builds exit cleanly.

Adopt sass-embedded for SASS processing. In development, use style-loader to speed up CSS/SCSS compilation while keeping production outputs unchanged. Maintain CSP-safe source maps for extension contexts and suppress CSS 404 noise in development outputs.

Additionally, dependency caching has been added to the GitHub Actions workflow to accelerate CI/CD runs.

Results on this DO VPS (2 cores, ~4 GiB RAM):

  • Production first run (cold): ~44s (baseline ~105s)
  • Production second run (warm): ~19s (baseline ~39s)
  • Development first run: ~31s; second run: ~29s

Times vary by environment; numbers above are for this machine.

Pull request summary from GitHub Copilot:

This pull request introduces several significant improvements to the build process, focusing on performance, configurability, and developer experience. The main changes include switching to faster build tools, adding advanced caching and parallelization options, updating build scripts, and improving CI build efficiency. These updates should result in faster builds, better resource utilization, and more flexibility for both local development and CI environments.

Build Performance and Tooling Improvements

  • Switched JS minification from Terser to esbuild (via esbuild-loader) and enabled esbuild-based CSS minification for much faster production builds. (build.mjs, package.json) [1] [2]
  • Added support for parallel builds of production variants, controlled via the BUILD_PARALLEL environment variable, and enabled thread-loader for Babel by default (configurable via BUILD_THREAD and BUILD_THREAD_WORKERS). (build.mjs, .github/copilot-instructions.md) [1] [2] [3]
  • Introduced advanced Webpack cache options, allowing filesystem cache compression to be toggled with BUILD_CACHE_COMPRESSION for improved warm build performance. (build.mjs, .github/copilot-instructions.md) [1] [2]

Build Script and Output Enhancements

  • Updated the build script to support both parallel and sequential builds, improved output directory management, and ensured correct copying of build artifacts for both production and development. (build.mjs) [1] [2]
  • In development mode, the script now creates placeholder CSS files to prevent 404 errors in the browser. (build.mjs) [1] [2]

Continuous Integration (CI) Improvements

  • Added npm and Webpack cache steps to the pre-release GitHub Actions workflow to speed up CI builds. (.github/workflows/pre-release-build.yml)

Dependency Updates

  • Added new dependencies: esbuild, esbuild-loader, sass-embedded, style-loader, and thread-loader; updated sass and sass-loader to latest versions; removed terser-webpack-plugin as it's no longer used. (package.json) [1] [2]

Documentation

  • Expanded the build instructions to document all new performance-related environment variables and their effects. (.github/copilot-instructions.md)

PR Type

Enhancement


Description

  • Replace Terser/CSS minifiers with esbuild for faster builds

  • Enable thread-loader by default with configurable parallelism

  • Add filesystem cache compression control and parallel build options

  • Switch to sass-embedded and style-loader for dev builds

  • Add GitHub Actions dependency caching for CI acceleration


Diagram Walkthrough

flowchart LR
  A["Old Build System"] --> B["esbuild Minification"]
  A --> C["Thread-loader Parallelism"]
  A --> D["Advanced Webpack Caching"]
  A --> E["sass-embedded Processing"]
  B --> F["Faster Production Builds"]
  C --> F
  D --> F
  E --> F
  G["GitHub Actions"] --> H["Dependency Caching"]
  H --> I["Faster CI Builds"]
Loading

File Walkthrough

Relevant files
Enhancement
build.mjs
Major build system optimization with esbuild and threading

build.mjs

  • Replace Terser with esbuild for JS/CSS minification
  • Add thread-loader with configurable worker count
  • Implement filesystem cache compression control
  • Enable parallel/sequential build modes via BUILD_PARALLEL
  • Switch to sass-embedded and conditional style-loader usage
  • Add watch-once mode for development builds
+167/-51
pre-release-build.yml
Add dependency and build caching to CI workflow                   

.github/workflows/pre-release-build.yml

  • Add npm cache using actions/cache@v4
  • Add Webpack filesystem cache for build acceleration
  • Cache both ~/.npm and .cache/webpack directories
+16/-0   
Dependencies
package.json
Update dependencies for build optimization                             

package.json

  • Add esbuild and esbuild-loader dependencies
  • Replace terser-webpack-plugin with esbuild-loader
  • Update sass to sass-embedded with newer sass-loader
  • Add style-loader and thread-loader dependencies
+7/-3     
Documentation
copilot-instructions.md
Document new build performance configuration options         

.github/copilot-instructions.md

  • Document new build performance environment variables
  • Explain BUILD_PARALLEL, BUILD_THREAD, BUILD_CACHE_COMPRESSION options
  • Add BUILD_WATCH_ONCE documentation for development
+16/-0   

Summary by CodeRabbit

  • Chores
    • Improved pre-release CI: Node-major-aware cache keys and enabled npm + Webpack caching to speed up builds.
  • Refactor
    • Switched to esbuild-based JS/CSS minification and updated Sass/CSS loader pipeline.
    • Added parallel, variant-aware builds with better caching, threading, and more robust build/finalization behavior.
  • Documentation
    • Added Build Performance Options documenting env vars for parallelism, threading, cache compression, watch-once, source maps, and output layout.

@PeterDaveHello PeterDaveHello requested a review from Copilot August 30, 2025 20:15
@coderabbitai
Copy link
Contributor

coderabbitai bot commented Aug 30, 2025

Note

Other AI code review bot(s) detected

CodeRabbit has detected other AI code review bot(s) in this pull request and will avoid duplicating their findings in the review comments. This may lead to a less comprehensive review.

Walkthrough

The PR updates the pre-release CI workflow to add Node-aware npm and Webpack caching, overhauls build.mjs to introduce variant-aware, parallelizable builds with esbuild-based minification and threaded loaders, adjusts package.json dependencies accordingly, and expands AGENTS.md with build performance and output structure documentation.

Changes

Cohort / File(s) Summary
CI workflow caching
.github/workflows/pre-release-build.yml
Adds Node major detection and exports NODE_MAJOR; enables npm cache via actions/setup-node; adds actions/cache for Webpack filesystem cache keyed by OS, NODE_MAJOR, and lockfile hash; restores/saves Webpack cache; build commands unchanged.
Build system core overhaul
build.mjs
Introduces variant-aware, optionally parallel build orchestration; updates runWebpack and finishOutput signatures to accept sourceBuildDir; switches to esbuild-based JS/CSS minification; conditional thread-loader support and thread pool controls; dynamic sass-embedded import with fallback; per-variant filesystem caches and output dirs; improved error handling, streaming zipping, file copying, and dev CSS placeholders/source maps.
Dependencies and tooling
package.json
Adds @babel/runtime; adds esbuild and esbuild-loader; upgrades/changes Sass tooling (sass, sass-embedded, sass-loader); adds style-loader and thread-loader; removes terser-webpack-plugin.
Documentation updates
AGENTS.md
Adds Build Performance Options documenting BUILD_PARALLEL, BUILD_THREAD, BUILD_THREAD_WORKERS, BUILD_CACHE_COMPRESSION, BUILD_WATCH_ONCE, BUILD_POOL_TIMEOUT; notes source map behavior, resolve.symlinks rationale, and detailed production output structure and variants.

Sequence Diagram(s)

sequenceDiagram
  autonumber
  actor Dev as Developer / CI
  participant Build as build.mjs
  participant WP as Webpack Compiler
  participant FS as Filesystem
  participant Zip as Zipper

  Dev->>Build: build()
  activate Build
  Build->>Build: derive variants + env (parallel, threads, cache)
  alt Parallel enabled
    par For each variant
      Build->>WP: runWebpack(..., sourceBuildDir)
      WP-->>FS: emit assets to per-variant dir
      Build->>Build: finishOutput(suffix, sourceBuildDir)
      Build->>Zip: zipFolder(...)
    and For next variant
    end
  else Sequential
    loop variants
      Build->>WP: runWebpack(..., sourceBuildDir)
      WP-->>FS: emit assets to per-variant dir
      Build->>Build: finishOutput(suffix, sourceBuildDir)
      Build->>Zip: zipFolder(...)
    end
  end
  Build-->>Dev: exit 0 or error (non-zero)
  deactivate Build
Loading
sequenceDiagram
  autonumber
  actor CI as GitHub Actions
  participant Setup as actions/setup-node
  participant CacheNpm as npm cache (setup-node)
  participant CacheWP as actions/cache (Webpack)
  participant Job as build job

  CI->>Setup: setup-node with cache: npm
  Setup->>CacheNpm: restore by OS + lockfile hash
  CI->>Job: Detect NODE_MAJOR and export
  CI->>CacheWP: restore .cache/webpack using OS + NODE_MAJOR + lockfile hash
  CI->>Job: npm ci && npm run build
  Job-->>CacheWP: save updated Webpack cache (post)
Loading

Estimated code review effort

🎯 4 (Complex) | ⏱️ ~60 minutes

Possibly related PRs

Suggested labels

Review effort 2/5

Poem

I thump my paws—cache warms the trail,
Threads hum softly, builds set sail.
Esbuild breezes, Sass in tune,
Variants dance from noon to moon.
Zip! goes the bundle—swift and light. 🐇✨

Pre-merge checks and finishing touches

❌ Failed checks (1 warning)
Check name Status Explanation Resolution
Docstring Coverage ⚠️ Warning Docstring coverage is 25.00% which is insufficient. The required threshold is 80.00%. You can run @coderabbitai generate docstrings to improve docstring coverage.
✅ Passed checks (2 passed)
Check name Status Explanation
Description Check ✅ Passed Check skipped - CodeRabbit’s high-level summary is enabled.
Title Check ✅ Passed The title succinctly and accurately reflects the primary change: a refactor of the build pipeline aimed at performance improvements (esbuild, caching, parallel/threaded builds) and improved developer output reliability (watch-once behavior, dev CSS placeholders, stable source maps). It is concise, specific, and clear enough for a teammate scanning PR history to understand the main intent.
✨ Finishing touches
  • 📝 Generate Docstrings
🧪 Generate unit tests
  • Create PR with unit tests
  • Post copyable unit tests in a comment

Thanks for using CodeRabbit! It's free for OSS, and your support helps us grow. If you like it, consider giving us a shout-out.

❤️ Share

Comment @coderabbitai help to get the list of available commands and usage tips.

Copy link

@gemini-code-assist gemini-code-assist bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Summary of Changes

Hello @PeterDaveHello, I'm Gemini Code Assist1! I'm currently reviewing this pull request and will post my feedback shortly. In the meantime, here's a summary to help you and other reviewers quickly get up to speed!

This pull request comprehensively refactors the build pipeline to enhance performance, configurability, and developer experience. By leveraging modern tools and optimizing existing processes, it aims to drastically reduce build times for both local development and production environments, leading to a more efficient and responsive workflow.

Highlights

  • Build Tooling Upgrade: Replaced JavaScript and CSS minifiers with esbuild for significantly faster build times, improving both development and production workflows.
  • Parallel Processing & Threading: Enabled thread-loader by default for Babel with dynamic worker allocation based on CPU cores, and introduced parallel production variant builds, all configurable via new environment variables.
  • Optimized Caching: Implemented configurable Webpack filesystem cache compression, defaulting to no compression for faster warm builds on CPU-bound machines, enhancing build efficiency.
  • SASS/CSS Enhancements: Adopted sass-embedded for SASS processing and utilized style-loader for faster CSS/SCSS compilation in development, while ensuring production outputs remain unchanged.
  • Development Experience Improvements: Ensured 'watch-once' development builds exit cleanly and added placeholder CSS files to prevent 404 errors and reduce noise during development.
  • CI/CD Efficiency: Integrated dependency caching into GitHub Actions workflows to accelerate continuous integration and deployment runs.
Using Gemini Code Assist

The full guide for Gemini Code Assist can be found on our documentation page, here are some quick tips.

Invoking Gemini

You can request assistance from Gemini at any point in your pull request via creating an issue comment (i.e. comment on the pull request page) using either /gemini <command> or @gemini-code-assist <command>. Below is a summary of the supported commands.

Feature Command Description
Code Review /gemini review Performs a code review for the current pull request in its current state.
Pull Request Summary /gemini summary Provides a summary of the current pull request in its current state.
Comment @gemini-code-assist Responds in comments when explicitly tagged, both in issue comments and review comments.
Help /gemini help Displays a list of available commands.

Customization

To customize Gemini Code Assist for GitHub experience, repository maintainers can create a configuration file and/or provide a custom code review style guide (such as PEP-8 for Python) by creating and adding files to a .gemini/ folder in the base of the repository. Detailed instructions can be found here.

Limitations & Feedback

Gemini Code Assist may make mistakes. Please leave feedback on any instances where its feedback is incorrect or counter productive. You can react with 👍 and 👎 on @gemini-code-assist comments. If you're interested in giving your feedback about your experience with Gemini Code Assist for Github and other Google products, sign up here.

You can also get AI-powered code generation, chat, as well as code reviews directly in the IDE at no cost with the Gemini Code Assist IDE Extension.

Footnotes

  1. Review the Privacy Notices, Generative AI Prohibited Use Policy, Terms of Service, and learn how to configure Gemini Code Assist in GitHub here. Gemini can make mistakes, so double check it and use code with caution.

@qodo-merge-pro
Copy link
Contributor

PR Reviewer Guide 🔍

Here are some key observations to aid the review process:

⏱️ Estimated effort to review: 4 🔵🔵🔵🔵⚪
🧪 No relevant tests
🔒 No security concerns identified
⚡ Recommended focus areas for review

Possible Issue

The new runWebpack signature adds sourceBuildDir before callback, but many internal calls pass parameters that may shift positions incorrectly if any call sites or future edits assume the old order. Validate all invocations use the new 5-arg form consistently and that sourceBuildDir is always a string when expected.

async function runWebpack(isWithoutKatex, isWithoutTiktoken, minimal, sourceBuildDir, callback) {
  const shared = [
    'preact',
    'webextension-polyfill',
    '@primer/octicons-react',
    'react-bootstrap-icons',
    'countries-list',
Watch Exit Logic

In dev mode, compiler.watch closes only when BUILD_WATCH_ONCE is set, but callback still runs after close is requested. Confirm no race or partial close causes unresolved promises or dangling processes in CI. Consider handling watching.close completion before resolving.

if (isProduction) compiler.run(callback)
else {
  const watching = compiler.watch({}, (err, stats) => {
    callback(err, stats)
    if (process.env.BUILD_WATCH_ONCE) watching.close(() => {})
  })
}
Cache Key Specificity

Webpack cache key uses only package-lock.json hash; config/env-driven build flags (e.g., BUILD_CACHE_COMPRESSION, BUILD_THREAD_WORKERS) won’t bust cache. Validate cache correctness across differing CI env vars or include build.mjs hash/env in the cache key.

- name: Cache Webpack filesystem cache
  uses: actions/cache@v4
  with:
    path: |
      .cache/webpack
      node_modules/.cache/webpack
    key: ${{ runner.os }}-webpack-${{ hashFiles('**/package-lock.json') }}
    restore-keys: |
      ${{ runner.os }}-webpack-

Copilot

This comment was marked as outdated.

Copy link

@gemini-code-assist gemini-code-assist bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Code Review

This pull request significantly refactors the build pipeline for performance, introducing esbuild for minification, thread-loader for parallelism, and sass-embedded for SASS compilation. The changes are well-structured and bring substantial performance improvements. My review focuses on improving maintainability by reducing code duplication in the build script. I've identified two areas where helper functions could be introduced to make the code cleaner and more reusable: one for creating placeholder CSS files and another for handling the webpack build process.

@qodo-merge-pro
Copy link
Contributor

qodo-merge-pro bot commented Aug 30, 2025

PR Code Suggestions ✨

Latest suggestions up to 5663e3c

CategorySuggestion                                                                                                                                    Impact
Possible issue
Ensure production failures exit non-zero

In production, if the callback throws or returns a rejected promise, the process
may succeed silently because only process.exitCode is set on close errors. Set
process.exitCode = 1 when stats contain errors or when the callback fails,
ensuring CI fails reliably. Mirror the watch-once failure behavior.

build.mjs [386-430]

 if (isProduction) {
   // Ensure compiler is properly closed after production runs
   compiler.run((err, stats) => {
+    const hasErrors = !!(
+      err ||
+      (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
+    )
+    let callbackFailed = false
     const finishClose = () =>
       compiler.close((closeErr) => {
         if (closeErr) {
           console.error('Error closing compiler:', closeErr)
           process.exitCode = 1
         }
+        if (hasErrors || callbackFailed) {
+          process.exitCode = 1
+        }
       })
     try {
       const ret = callback(err, stats)
       if (ret && typeof ret.then === 'function') {
-        ret.then(finishClose, finishClose)
+        ret.then(finishClose, () => {
+          callbackFailed = true
+          finishClose()
+        })
       } else {
         finishClose()
       }
     } catch (_) {
+      callbackFailed = true
       finishClose()
     }
   })
 } else {
   const watching = compiler.watch({}, (err, stats) => {
     const hasErrors = !!(
       err ||
       (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
     )
     // Normalize callback return into a Promise to catch synchronous throws
     const ret = Promise.resolve().then(() => callback(err, stats))
     if (isWatchOnce) {
       const finalize = (callbackFailed = false) =>
         watching.close((closeErr) => {
           if (closeErr) console.error('Error closing watcher:', closeErr)
           // Exit explicitly to prevent hanging processes in CI
-          // Use non-zero exit code when errors occurred, including callback failures
           const shouldFail = hasErrors || closeErr || callbackFailed
           process.exit(shouldFail ? 1 : 0)
         })
       ret.then(
         () => finalize(false),
         () => finalize(true),
       )
     }
   })
 }
  • Apply / Chat
Suggestion importance[1-10]: 8

__

Why: This is a critical bug fix for CI/CD, as it ensures that a failed production build correctly returns a non-zero exit code, preventing broken builds from being treated as successful.

Medium
Fix boolean env parsing

This helper treats any non-empty string as true, so BUILD_WATCH_ONCE="" or an
unknown value becomes truthy, which can unexpectedly exit watchers in CI. Align
its behavior with isDisabledEnv to only enable on explicit truthy tokens. This
prevents accidental activation from empty or malformed env values.

build.mjs [18-22]

 function parseBooleanEnv(val) {
   if (val == null) return false
   const s = String(val).trim().toLowerCase()
-  return !(s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off')
+  if (s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off' || s === 'null' || s === 'undefined') return false
+  if (s === '1' || s === 'true' || s === 'yes' || s === 'on') return true
+  return false
 }
  • Apply / Chat
Suggestion importance[1-10]: 5

__

Why: The suggestion correctly identifies that parseBooleanEnv is too lenient, which could cause unexpected behavior; the proposed change makes environment variable parsing more robust.

Low
Incremental [*]
Harden cache invalidation keys

Include process.version and the major versions of critical loaders/minifiers in
the cache version to prevent stale cache reuse across Node or plugin upgrades
that may change output semantics

build.mjs [149-165]

-const dirKey = path.basename(sourceBuildDir || outdir)
-const variantParts = [
-  isWithoutKatex ? 'no-katex' : 'with-katex',
-  isWithoutTiktoken ? 'no-tiktoken' : 'with-tiktoken',
-  minimal ? 'minimal' : 'full',
-  dirKey,
-  isProduction ? 'prod' : 'dev',
-]
-const variantId = variantParts.join('__')
+const toolVersions = {
+  node: process.version,
+  webpack: webpack.version,
+  loaders: {
+    babelLoader: (() => {
+      try { return require('babel-loader/package.json').version } catch { return 'unknown' }
+    })(),
+    cssMinimizer: (() => {
+      try { return require('css-minimizer-webpack-plugin/package.json').version } catch { return 'unknown' }
+    })(),
+    esbuild: (() => {
+      try { return require('esbuild/package.json').version } catch { return 'unknown' }
+    })(),
+    esbuildLoader: (() => {
+      try { return require('esbuild-loader/package.json').version } catch { return 'unknown' }
+    })(),
+    miniCssExtract: (() => {
+      try { return require('mini-css-extract-plugin/package.json').version } catch { return 'unknown' }
+    })(),
+  },
+}
 ...
 cache: {
   type: 'filesystem',
   name: `webpack-${variantId}`,
-  // Only include dimensions that affect module outputs to avoid
-  // unnecessary cache invalidations across machines/CI runners
-  version: JSON.stringify({ PROD: isProduction }),
-  // default none; override via BUILD_CACHE_COMPRESSION=gzip|brotli
+  version: JSON.stringify({ PROD: isProduction, tools: toolVersions }),
   compression: cacheCompressionOption ?? false,
   buildDependencies: {
     config: [
       path.resolve('build.mjs'),
       ...['package.json', 'package-lock.json']
         .map((p) => path.resolve(p))
         .filter((p) => fs.existsSync(p)),
     ],
   },
 },

[To ensure code accuracy, apply this suggestion manually]

Suggestion importance[1-10]: 7

__

Why: The suggestion correctly identifies that the Webpack cache key should include versions of key build tools to prevent stale cache issues after dependency upgrades, which is a valuable improvement for cache robustness.

Medium
Stabilize Sass builds and warnings

Pass sassOptions: { silentDeps: true } to avoid excessive rebuilds when Sass
includes from node_modules change timestamps and to reduce noisy warnings,
stabilizing dev watch and CI determinism

build.mjs [284-288]

 {
   loader: 'sass-loader',
-  options: { implementation: sassImpl },
+  options: {
+    implementation: sassImpl,
+    sassOptions: {
+      silentDeps: true,
+    },
+  },
 },
  • Apply / Chat
Suggestion importance[1-10]: 6

__

Why: This suggestion correctly proposes using sassOptions: { silentDeps: true } to suppress warnings from third-party Sass files, which improves the developer experience by reducing log noise during builds.

Low
General
Validate worker count strictly

Number.isInteger(raw) is always true for parseInt, but parseInt('1e2', 10)
returns 1 and hides invalid inputs. Reject non-decimal numeric formats to avoid
surprising caps or overuse. Add a strict regex check so only plain positive
integers are accepted.

build.mjs [48-65]

-const cacheCompressionOption = parseCacheCompressionOption(process.env.BUILD_CACHE_COMPRESSION)
-let cpuCount = 1
-try {
-  // os.cpus() returns an array in Node.js; guard with try/catch for portability
-  cpuCount = Math.max(1, os.cpus().length || 1)
-} catch {
-  cpuCount = 1
-}
 function parseThreadWorkerCount(envValue, cpuCount) {
   const maxWorkers = Math.max(1, cpuCount)
   if (envValue !== undefined && envValue !== null) {
-    const raw = parseInt(envValue, 10)
-    if (Number.isInteger(raw) && raw > 0) {
+    const str = String(envValue).trim()
+    if (/^[1-9]\d*$/.test(str)) {
+      const raw = Number(str)
       if (raw > maxWorkers) {
-        console.warn(
-          `[build] BUILD_THREAD_WORKERS=${raw} exceeds CPU count (${cpuCount}); capping to ${maxWorkers}`,
-        )
+        console.warn(`[build] BUILD_THREAD_WORKERS=${raw} exceeds CPU count (${cpuCount}); capping to ${maxWorkers}`)
       }
       return Math.min(raw, maxWorkers)
     }
-    console.warn(
-      `[build] Invalid BUILD_THREAD_WORKERS="${envValue}", defaulting to CPU count (${cpuCount})`,
-    )
+    console.warn(`[build] Invalid BUILD_THREAD_WORKERS="${envValue}", defaulting to CPU count (${cpuCount})`)
   }
   return maxWorkers
 }

[To ensure code accuracy, apply this suggestion manually]

Suggestion importance[1-10]: 5

__

Why: The suggestion correctly identifies a weakness in using parseInt for validation and provides a more robust regex-based solution, preventing unexpected behavior from malformed environment variables.

Low
  • Update

Previous suggestions

✅ Suggestions up to commit 6c89d29
CategorySuggestion                                                                                                                                    Impact
General
Prevent unnecessary cache busting
Suggestion Impact:The commit removed THREAD and WORKERS (and other fields) from the cache version and limited it to { PROD: isProduction }, aligning with the suggestion to avoid unstable values in the version.

code diff:

-      version: JSON.stringify({
-        THREAD: enableThread,
-        WORKERS: threadWorkers,
-        CACHE_COMP: cacheCompressionOption ?? false,
-        PROD: isProduction,
-      }),
+      // Only include dimensions that affect module outputs to avoid
+      // unnecessary cache invalidations across machines/CI runners
+      version: JSON.stringify({ PROD: isProduction }),

Avoid putting unstable values (like worker count) into the cache version, or it
will constantly invalidate caches across machines/CI runners. Limit the cache
version to configuration that truly affects module outputs.

build.mjs [138-157]

 const compiler = webpack({
   ...
   devtool: isProduction ? false : 'cheap-module-source-map',
   cache: {
     type: 'filesystem',
     name: `webpack-${variantId}`,
     version: JSON.stringify({
       THREAD: enableThread,
-      WORKERS: threadWorkers,
       CACHE_COMP: cacheCompressionOption ?? false,
       PROD: isProduction,
     }),
-    // default none; override via BUILD_CACHE_COMPRESSION=gzip|brotli
     compression: cacheCompressionOption ?? false,
     buildDependencies: {
       config: [
         path.resolve('build.mjs'),
         ...['package.json', 'package-lock.json']
           .map((p) => path.resolve(p))
           .filter((p) => fs.existsSync(p)),
       ],
     },
   },
   ...
 })
Suggestion importance[1-10]: 7

__

Why: The suggestion correctly points out that including the threadWorkers count, which depends on the machine's CPU cores, in the cache version will reduce cache hits across different environments like local development and CI.

Medium
Incremental [*]
Make symlink resolution configurable

Add a conditional to re-enable resolve.symlinks when an explicit environment
flag is set for linked/workspace development to avoid module duplication and
resolution bugs when using npm link/pnpm during local development.

build.mjs [204-211]

 resolve: {
   extensions: ['.jsx', '.mjs', '.js'],
-  // Disable symlink resolution for consistent behavior/perf; note this can
-  // affect `npm link`/pnpm workspaces during local development
-  symlinks: false,
+  // Disable symlink resolution by default; allow opt-in for linked/workspace dev
+  symlinks: process.env.BUILD_RESOLVE_SYMLINKS === '1',
   alias: {
     parse5: path.resolve(__dirname, 'node_modules/parse5'),
     ...(minimal
Suggestion importance[1-10]: 6

__

Why: The suggestion improves developer experience by adding a configurable flag for symlinks, which the PR's own comments identify as a potential issue for local development with linked packages.

Low
Possible issue
Fix env flag parsing
Suggestion Impact:The commit added a parseBooleanEnv function and used it to compute isWatchOnce, normalizing values like "0", "false", "no", "off", and empty string to false, addressing the fragile truthiness check.

code diff:

+function parseBooleanEnv(val) {
+  if (val == null) return false
+  const s = String(val).trim().toLowerCase()
+  return !(s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off')
+}
+const isWatchOnce = parseBooleanEnv(process.env.BUILD_WATCH_ONCE)

Parse boolean-like env flags explicitly; the current truthiness check treats any
non-empty string (including "0" or "false") as true. This can unintentionally
enable watch-once mode. Normalize values like "0", "false", and "" to false.

build.mjs [16-18]

 const isAnalyzing = process.argv[2] === '--analyze'
 const parallelBuild = process.env.BUILD_PARALLEL !== '0'
-const isWatchOnce = !!process.env.BUILD_WATCH_ONCE
+const isWatchOnce = (() => {
+  const v = process.env.BUILD_WATCH_ONCE
+  if (v == null) return false
+  const s = String(v).trim().toLowerCase()
+  return !(s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off')
+})()

[Suggestion processed]

Suggestion importance[1-10]: 6

__

Why: The suggestion correctly identifies that !!process.env.BUILD_WATCH_ONCE is a fragile way to parse a boolean environment variable, leading to incorrect behavior if a user sets it to "0" or "false".

Low
✅ Suggestions up to commit abfc14d
CategorySuggestion                                                                                                                                    Impact
Incremental [*]
Use external source maps in dev

Align devtool with external map files by switching to external source maps in
development to avoid large inlined maps and ensure the .map files actually exist
for copying.

build.mjs [137-522]

-devtool: isProduction ? false : 'cheap-module-source-map',
+devtool: isProduction ? false : 'source-map',
 ...
-// Dev-only: copy external source maps for CSP-safe debugging
 ...(isProduction
   ? []
   : [
       { src: `${sourceBuildDir}/shared.js.map`, dst: 'shared.js.map' },
       { src: `${sourceBuildDir}/content-script.js.map`, dst: 'content-script.js.map' },
       { src: `${sourceBuildDir}/background.js.map`, dst: 'background.js.map' },
       { src: `${sourceBuildDir}/popup.js.map`, dst: 'popup.js.map' },
       { src: `${sourceBuildDir}/IndependentPanel.js.map`, dst: 'IndependentPanel.js.map' },
     ]),
Suggestion importance[1-10]: 7

__

Why: The suggestion correctly identifies that cheap-module-source-map inlines source maps, which contradicts the goal of copying external .map files for CSP-safe debugging in development.

Medium
Possible issue
Resolve zip on finish or close
Suggestion Impact:The commit added handling for the 'close' event and refactored resolution via a shared done function, ensuring the Promise resolves when the stream closes. It also modified the 'finish' handler to trigger a close, addressing the robustness concern.

code diff:

+    const done = () => {
+      if (!settled) {
+        settled = true
+        resolve()
+      }
+    }
     output.once('error', fail)
     archive.once('error', fail)
     archive.on('warning', (err) => {
       // Log non-fatal archive warnings for diagnostics
       console.warn('[build][zip] warning:', err)
     })
+    // Resolve on close to ensure FD is flushed and closed
+    output.once('close', done)
+    // Ensure close is emitted after finish on some fast runners
     output.once('finish', () => {
-      if (!settled) {
-        settled = true
-        resolve()
+      try {
+        if (typeof output.close === 'function') output.close()
+      } catch (_) {
+        // ignore
       }
     })

If archiver emits 'close' without 'finish' in some Node streams, the promise may
never resolve. Listen to both 'finish' and 'close' on the output stream to
guarantee completion across environments, avoiding stuck builds in CI.

build.mjs [425-452]

 const zipPath = `${dir}.zip`
 await fs.ensureDir(path.dirname(zipPath))
 await new Promise((resolve, reject) => {
   const output = fs.createWriteStream(zipPath)
   const archive = archiver('zip', { zlib: { level: 9 } })
   let settled = false
+  const settleOk = () => {
+    if (!settled) {
+      settled = true
+      resolve()
+    }
+  }
   const fail = (err) => {
     if (!settled) {
       settled = true
       reject(err)
     }
   }
   output.once('error', fail)
+  output.once('finish', settleOk)
+  output.once('close', settleOk)
   archive.once('error', fail)
   archive.on('warning', (err) => {
-    // Log non-fatal archive warnings for diagnostics
     console.warn('[build][zip] warning:', err)
-  })
-  output.once('finish', () => {
-    if (!settled) {
-      settled = true
-      resolve()
-    }
   })
   archive.pipe(output)
   archive.directory(dir, false)
   archive.finalize()
 })
Suggestion importance[1-10]: 7

__

Why: This is a good suggestion for improving robustness. While the finish event on a write stream is generally sufficient, adding a handler for close provides a fallback to prevent hung builds in edge cases, which is valuable for CI stability.

Medium
General
Reduce default thread oversubscription

Spawning threads equal to total CPUs can oversubscribe when Webpack already
parallelizes minifiers and loaders, causing slowdowns or OOM in CI. Cap default
workers to CPU-1 (min 1) unless explicitly overridden to reduce contention.

build.mjs [55]

+function parseThreadWorkerCount(envValue, cpuCount) {
+  const hardMax = Math.max(1, cpuCount - 1) // leave one core for the main thread/system
+  if (envValue !== undefined && envValue !== null) {
+    const raw = parseInt(envValue, 10)
+    if (Number.isInteger(raw) && raw > 0) {
+      if (raw > cpuCount) {
+        console.warn(
+          `[build] BUILD_THREAD_WORKERS=${raw} exceeds CPU count (${cpuCount}); capping to ${cpuCount}`,
+        )
+      }
+      return Math.min(raw, cpuCount)
+    }
+    console.warn(
+      `[build] Invalid BUILD_THREAD_WORKERS="${envValue}", defaulting to ${hardMax}`,
+    )
+  }
+  return hardMax
+}
 const threadWorkers = parseThreadWorkerCount(process.env.BUILD_THREAD_WORKERS, cpuCount)
Suggestion importance[1-10]: 6

__

Why: The suggestion correctly identifies a potential performance issue with thread oversubscription and proposes a reasonable heuristic (CPU-1) to mitigate it, improving build performance on multi-core machines without explicit configuration.

Low
✅ Suggestions up to commit b5f27c3
CategorySuggestion                                                                                                                                    Impact
General
Wait for stream close for ZIP
Suggestion Impact:The commit added resolving on the 'close' event and adjusted the 'finish' handler to trigger close, ensuring the promise resolves after the stream is closed, aligning with the suggestion's intent.

code diff:

+    const done = () => {
+      if (!settled) {
+        settled = true
+        resolve()
+      }
+    }
     output.once('error', fail)
     archive.once('error', fail)
     archive.on('warning', (err) => {
       // Log non-fatal archive warnings for diagnostics
       console.warn('[build][zip] warning:', err)
     })
+    // Resolve on close to ensure FD is flushed and closed
+    output.once('close', done)
+    // Ensure close is emitted after finish on some fast runners
     output.once('finish', () => {
-      if (!settled) {
-        settled = true
-        resolve()
+      try {
+        if (typeof output.close === 'function') output.close()
+      } catch (_) {
+        // ignore
       }
     })

Listen for the close event on the output stream to ensure the file descriptor is
flushed and closed before proceeding. This avoids intermittent truncated ZIPs on
fast CI runners.

build.mjs [431-459]

 async function zipFolder(dir) {
   const zipPath = `${dir}.zip`
   await fs.ensureDir(path.dirname(zipPath))
   await new Promise((resolve, reject) => {
     const output = fs.createWriteStream(zipPath)
     const archive = archiver('zip', { zlib: { level: 9 } })
     let settled = false
-    const fail = (err) => {
+    const settle = (err) => {
       if (!settled) {
         settled = true
-        reject(err)
+        err ? reject(err) : resolve()
       }
     }
+    const fail = (err) => settle(err)
     output.once('error', fail)
     archive.once('error', fail)
     archive.on('warning', (err) => {
-      // Log non-fatal archive warnings for diagnostics
       console.warn('[build][zip] warning:', err)
     })
-    output.once('finish', () => {
-      if (!settled) {
-        settled = true
-        resolve()
-      }
-    })
+    // finish fires when all data is flushed to the OS, but close ensures fd closed
+    output.once('close', () => settle())
     archive.pipe(output)
     archive.directory(dir, false)
     archive.finalize()
   })
 }
Suggestion importance[1-10]: 8

__

Why: The suggestion correctly identifies a potential race condition where the promise could resolve before the file stream is fully closed, and proposes listening to the close event, which is a critical fix for ensuring ZIP file integrity.

Medium
Possible issue
Cap worker pool below CPU count

Cap worker count to at least 1 and at most CPU count minus one to avoid starving
the main thread or oversubscribing small machines. This prevents build hangs or
thrashing on low-core CI runners.

build.mjs [43-62]

 const rawWorkers = process.env.BUILD_THREAD_WORKERS
   ? parseInt(process.env.BUILD_THREAD_WORKERS, 10)
   : undefined
 let threadWorkers
+const maxUsable = Math.max(1, cpuCount - 1) // keep one core for main thread/OS
 if (Number.isInteger(rawWorkers) && rawWorkers > 0) {
-  const maxWorkers = Math.max(1, cpuCount)
-  if (rawWorkers > maxWorkers) {
+  if (rawWorkers > maxUsable) {
     console.warn(
-      `[build] BUILD_THREAD_WORKERS=${rawWorkers} exceeds CPU count (${cpuCount}); capping to ${maxWorkers}`,
+      `[build] BUILD_THREAD_WORKERS=${rawWorkers} exceeds usable cores (${maxUsable}); capping to ${maxUsable}`,
     )
   }
-  threadWorkers = Math.min(rawWorkers, maxWorkers)
+  threadWorkers = Math.min(rawWorkers, maxUsable)
 } else {
   if (process.env.BUILD_THREAD_WORKERS) {
     console.warn(
-      `[build] Invalid BUILD_THREAD_WORKERS="${process.env.BUILD_THREAD_WORKERS}", defaulting to CPU count (${cpuCount})`,
+      `[build] Invalid BUILD_THREAD_WORKERS="${process.env.BUILD_THREAD_WORKERS}", defaulting to ${maxUsable}`,
     )
   }
-  threadWorkers = cpuCount
+  threadWorkers = maxUsable
 }
Suggestion importance[1-10]: 7

__

Why: The suggestion correctly identifies a potential performance issue where using all CPU cores for workers can starve the main thread, and proposes a standard practice of reserving one core, which improves build stability.

Medium
✅ Suggestions up to commit 0fdeae8
CategorySuggestion                                                                                                                                    Impact
Incremental [*]
Fix CI cache ordering

Move the Webpack cache restore step before installing dependencies so that cache
hits are not invalidated by files created during npm ci, and add cache: 'npm' to
actions/setup-node to ensure package caching is reliable and keyed to the
lockfile and Node version

.github/workflows/pre-release-build.yml [24-46]

+- uses: actions/checkout@v5
 - uses: actions/setup-node@v4
   with:
     node-version: 20
+    cache: 'npm'
+    cache-dependency-path: '**/package-lock.json'
 - name: Detect Node major version
   run: echo "NODE_MAJOR=$(node -p 'process.versions.node.split(".")[0]')" >> $GITHUB_ENV
-- name: Cache npm cache
-  uses: actions/cache@v4
-  with:
-    path: ~/.npm
-    key: ${{ runner.os }}-node-${{ hashFiles('**/package-lock.json') }}
-    restore-keys: |
-      ${{ runner.os }}-node-
-- run: npm ci
 - name: Cache Webpack filesystem cache
   uses: actions/cache@v4
   with:
     path: |
       .cache/webpack
       node_modules/.cache/webpack
     key: ${{ runner.os }}-node${{ env.NODE_MAJOR }}-webpack-${{ hashFiles('**/package-lock.json') }}
     restore-keys: |
       ${{ runner.os }}-node${{ env.NODE_MAJOR }}-webpack-
+- run: npm ci
 - run: npm run build
Suggestion importance[1-10]: 7

__

Why: The suggestion correctly identifies that using the built-in cache: 'npm' for the setup-node action is best practice and that the Webpack cache should be restored before npm ci, improving the CI workflow's reliability and correctness.

Medium
Avoid copy failures for missing assets
Suggestion Impact:While it didn’t implement the exact file-existence filter before copying, the commit addressed the same problem by adding ensureDevCssPlaceholders to create placeholder CSS and sourcemap files in development, preventing copy failures and 404s due to missing optional assets.

code diff:

+// In development, create placeholder CSS and sourcemap files to avoid 404 noise
+async function ensureDevCssPlaceholders(targetDir) {
+  if (isProduction) return
+  const cssFiles = [path.join(targetDir, 'popup.css'), path.join(targetDir, 'content-script.css')]
+  for (const cssPath of cssFiles) {
+    if (!(await fs.pathExists(cssPath))) {
+      await fs.outputFile(cssPath, '/* dev placeholder */\n')
+    }
+    const mapPath = `${cssPath}.map`
+    if (!(await fs.pathExists(mapPath))) {
+      await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
+    }
+  }
+}
+
 async function finishOutput(outputDirSuffix, sourceBuildDir = outdir) {
   const commonFiles = [
     { src: 'src/logo.png', dst: 'logo.png' },
@@ -520,22 +528,7 @@
     [...commonFiles, { src: 'src/manifest.json', dst: 'manifest.json' }],
     chromiumOutputDir,
   )
-  // In development, ensure placeholder CSS and CSS sourcemap files exist to avoid 404 noise
-  if (!isProduction) {
-    const chromiumCssPlaceholders = [
-      path.join(chromiumOutputDir, 'popup.css'),
-      path.join(chromiumOutputDir, 'content-script.css'),
-    ]
-    for (const p of chromiumCssPlaceholders) {
-      if (!(await fs.pathExists(p))) {
-        await fs.outputFile(p, '/* dev placeholder */\n')
-      }
-      const mapPath = `${p}.map`
-      if (!(await fs.pathExists(mapPath))) {
-        await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
-      }
-    }
-  }
+  await ensureDevCssPlaceholders(chromiumOutputDir)
   if (isProduction) await zipFolder(chromiumOutputDir)
 
   // firefox
@@ -544,22 +537,7 @@
     [...commonFiles, { src: 'src/manifest.v2.json', dst: 'manifest.json' }],
     firefoxOutputDir,
   )
-  // In development, ensure placeholder CSS and CSS sourcemap files exist to avoid 404 noise
-  if (!isProduction) {
-    const firefoxCssPlaceholders = [
-      path.join(firefoxOutputDir, 'popup.css'),
-      path.join(firefoxOutputDir, 'content-script.css'),
-    ]
-    for (const p of firefoxCssPlaceholders) {
-      if (!(await fs.pathExists(p))) {
-        await fs.outputFile(p, '/* dev placeholder */\n')
-      }
-      const mapPath = `${p}.map`
-      if (!(await fs.pathExists(mapPath))) {
-        await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
-      }
-    }
-  }
+  await ensureDevCssPlaceholders(firefoxOutputDir)
   if (isProduction) await zipFolder(firefoxOutputDir)
 }

Guard optional assets before copying by filtering commonFiles to entries that
exist to avoid hard failures when a chunk or map is not emitted (e.g.,
tree-shaken CSS or watch-first run), and log a warning instead of throwing for
missing dev maps

build.mjs [468-523]

 async function finishOutput(outputDirSuffix, sourceBuildDir = outdir) {
-  const commonFiles = [
+  const maybeFiles = [
     { src: 'src/logo.png', dst: 'logo.png' },
     { src: 'src/rules.json', dst: 'rules.json' },
-
     { src: `${sourceBuildDir}/shared.js`, dst: 'shared.js' },
-    { src: `${sourceBuildDir}/content-script.css`, dst: 'content-script.css' }, // shared
-
+    { src: `${sourceBuildDir}/content-script.css', dst: 'content-script.css' },
     { src: `${sourceBuildDir}/content-script.js`, dst: 'content-script.js' },
-
     { src: `${sourceBuildDir}/background.js`, dst: 'background.js' },
-
     { src: `${sourceBuildDir}/popup.js`, dst: 'popup.js' },
     { src: `${sourceBuildDir}/popup.css`, dst: 'popup.css' },
     { src: 'src/popup/index.html', dst: 'popup.html' },
-
     { src: `${sourceBuildDir}/IndependentPanel.js`, dst: 'IndependentPanel.js' },
     { src: 'src/pages/IndependentPanel/index.html', dst: 'IndependentPanel.html' },
     ...(isProduction
       ? []
       : [
           { src: `${sourceBuildDir}/shared.js.map`, dst: 'shared.js.map' },
           { src: `${sourceBuildDir}/content-script.js.map`, dst: 'content-script.js.map' },
           { src: `${sourceBuildDir}/background.js.map`, dst: 'background.js.map' },
           { src: `${sourceBuildDir}/popup.js.map`, dst: 'popup.js.map' },
           { src: `${sourceBuildDir}/IndependentPanel.js.map`, dst: 'IndependentPanel.js.map' },
         ]),
   ]
+  const commonFiles = []
+  for (const f of maybeFiles) {
+    if (await fs.pathExists(f.src)) {
+      commonFiles.push(f)
+    } else if (!isProduction) {
+      console.warn('[build] optional asset missing (dev):', f.src)
+    }
+  }
   ...
   await copyFiles(
     [...commonFiles, { src: 'src/manifest.json', dst: 'manifest.json' }],
     chromiumOutputDir,
   )
   ...
   await copyFiles(
     [...commonFiles, { src: 'src/manifest.v2.json', dst: 'manifest.json' }],
     firefoxOutputDir,
   )
+}
Suggestion importance[1-10]: 6

__

Why: The suggestion correctly points out that the PR's implementation in copyFiles would cause the build to fail if an optional development file like a source map is missing, and proposes a more robust solution by checking for file existence first.

Low
Possible issue
Fail clearly when Sass missing
Suggestion Impact:The commit added a nested try/catch: it first tries to import 'sass-embedded', then falls back to 'sass', and if both fail, it throws a clear error message indicating no Sass implementation is available.

code diff:

+  } catch (e1) {
+    try {
+      const mod = await import('sass')
+      sassImpl = mod.default || mod
+    } catch (e2) {
+      throw new Error(`No Sass implementation available. Install 'sass-embedded' or 'sass'.`)
+    }

Guard against absence of both Sass implementations to prevent runtime crashes.
Throw a clear error message if neither module can be resolved so failures are
actionable.

build.mjs [97-104]

-const sassImpl
+let sassImpl
 try {
   const mod = await import('sass-embedded')
   sassImpl = mod.default || mod
-} catch (e) {
-  const mod = await import('sass')
-  sassImpl = mod.default || mod
+} catch (_) {
+  try {
+    const mod = await import('sass')
+    sassImpl = mod.default || mod
+  } catch (err) {
+    throw new Error(
+      `No Sass implementation available. Install 'sass-embedded' or 'sass'. Original error: ${err && err.message}`,
+    )
+  }
 }
Suggestion importance[1-10]: 7

__

Why: This suggestion improves the build script's robustness by adding explicit error handling for when neither sass-embedded nor sass is available, providing a clear and actionable error message.

Medium
General
Leave one CPU core free

Cap the default worker count to CPU count minus one to avoid exhausting all
cores, which can cause system thrashing in CI and on laptops. Preserve explicit
overrides, but when not set, prefer leaving one core free.

build.mjs [43-62]

 const rawWorkers = process.env.BUILD_THREAD_WORKERS
   ? parseInt(process.env.BUILD_THREAD_WORKERS, 10)
   : undefined
 let threadWorkers
 if (Number.isInteger(rawWorkers) && rawWorkers > 0) {
   const maxWorkers = Math.max(1, cpuCount)
   if (rawWorkers > maxWorkers) {
     console.warn(
       `[build] BUILD_THREAD_WORKERS=${rawWorkers} exceeds CPU count (${cpuCount}); capping to ${maxWorkers}`,
     )
   }
   threadWorkers = Math.min(rawWorkers, maxWorkers)
 } else {
   if (process.env.BUILD_THREAD_WORKERS) {
     console.warn(
       `[build] Invalid BUILD_THREAD_WORKERS="${process.env.BUILD_THREAD_WORKERS}", defaulting to CPU count (${cpuCount})`,
     )
   }
-  threadWorkers = cpuCount
+  // leave one core free by default
+  threadWorkers = Math.max(1, cpuCount - 1)
 }
Suggestion importance[1-10]: 6

__

Why: The suggestion improves system stability by default by leaving one CPU core free for other tasks, which is a sensible performance optimization.

Low
✅ Suggestions up to commit d9cc0eb
CategorySuggestion                                                                                                                                    Impact
Incremental [*]
Add Node version to cache key

Ensure the cache key incorporates the Node major version so caches don't get
mixed across Node versions, which can cause inconsistent or corrupted caches

.github/workflows/pre-release-build.yml [27-35]

 - name: Detect Node major version
-  run: echo "NODE_MAJOR=$(node -p 'process.versions.node.split(".")[0]')" >> $GITHUB_ENV
+  run: echo "NODE_MAJOR=$(node -p 'process.versions.node.split(\".\")[0]')" >> $GITHUB_ENV
 - name: Cache npm cache
   uses: actions/cache@v4
   with:
     path: ~/.npm
-    key: ${{ runner.os }}-node-${{ hashFiles('**/package-lock.json') }}
+    key: ${{ runner.os }}-node${{ env.NODE_MAJOR }}-${{ hashFiles('**/package-lock.json') }}
     restore-keys: |
-      ${{ runner.os }}-node-
+      ${{ runner.os }}-node${{ env.NODE_MAJOR }}-
Suggestion importance[1-10]: 7

__

Why: The suggestion correctly identifies that the npm cache key is missing the Node.js version, which could lead to cache corruption, and aligns it with the webpack cache key that already includes it.

Medium
Prevent null stats access

Guard against a null stats object before calling hasErrors to prevent runtime
crashes on initial watch errors

build.mjs [393-410]

 const watching = compiler.watch({}, (err, stats) => {
-  const hasErrors = !!(
-    err ||
-    (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
-  )
+  const hasStats = !!stats && typeof stats.hasErrors === 'function'
+  const hasErrors = !!(err || (hasStats && stats.hasErrors()))
   const ret = callback(err, stats)
   if (process.env.BUILD_WATCH_ONCE) {
     const finalize = () =>
       watching.close((closeErr) => {
         if (closeErr) console.error('Error closing watcher:', closeErr)
-        // Exit explicitly to prevent hanging processes in CI
-        // Use non-zero exit code when errors occurred
         process.exit(hasErrors || closeErr ? 1 : 0)
       })
     if (ret && typeof ret.then === 'function') ret.then(finalize, finalize)
     else finalize()
   }
 })
Suggestion importance[1-10]: 6

__

Why: This is a valid defensive programming suggestion that prevents a potential runtime error by checking if the stats object is null before accessing its methods, improving the build script's robustness.

Low
Provide CSS sourcemap placeholders
Suggestion Impact:The commit added creation of .map files for CSS placeholders in both Chromium and Firefox development outputs, matching the suggestion to prevent 404s for CSS sourcemaps.

code diff:

-  // In development, ensure placeholder CSS files exist to avoid 404 noise
+  // In development, ensure placeholder CSS and CSS sourcemap files exist to avoid 404 noise
   if (!isProduction) {
     const chromiumCssPlaceholders = [
       path.join(chromiumOutputDir, 'popup.css'),
@@ -508,6 +530,10 @@
       if (!(await fs.pathExists(p))) {
         await fs.outputFile(p, '/* dev placeholder */\n')
       }
+      const mapPath = `${p}.map`
+      if (!(await fs.pathExists(mapPath))) {
+        await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
+      }
     }
   }
   if (isProduction) await zipFolder(chromiumOutputDir)
@@ -518,7 +544,7 @@
     [...commonFiles, { src: 'src/manifest.v2.json', dst: 'manifest.json' }],
     firefoxOutputDir,
   )
-  // In development, ensure placeholder CSS files exist to avoid 404 noise
+  // In development, ensure placeholder CSS and CSS sourcemap files exist to avoid 404 noise
   if (!isProduction) {
     const firefoxCssPlaceholders = [
       path.join(firefoxOutputDir, 'popup.css'),
@@ -527,6 +553,10 @@
     for (const p of firefoxCssPlaceholders) {
       if (!(await fs.pathExists(p))) {
         await fs.outputFile(p, '/* dev placeholder */\n')
+      }
+      const mapPath = `${p}.map`
+      if (!(await fs.pathExists(mapPath))) {
+        await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
       }

Since devtool produces external source maps, also copy or generate placeholder
.map files for CSS assets in development to avoid 404s when the browser requests
*.css.map

build.mjs [496-506]

 devtool: isProduction ? false : 'cheap-module-source-map',
 ...
 await copyFiles(
   [...commonFiles, { src: 'src/manifest.json', dst: 'manifest.json' }],
   chromiumOutputDir,
 )
-// In development, ensure placeholder CSS files exist to avoid 404 noise
+// In development, ensure placeholder CSS and CSS sourcemap files exist to avoid 404 noise
 if (!isProduction) {
   const chromiumCssPlaceholders = [
     path.join(chromiumOutputDir, 'popup.css'),
     path.join(chromiumOutputDir, 'content-script.css'),
   ]
   for (const p of chromiumCssPlaceholders) {
     if (!(await fs.pathExists(p))) {
       await fs.outputFile(p, '/* dev placeholder */\n')
     }
+    const mapPath = `${p}.map`
+    if (!(await fs.pathExists(mapPath))) {
+      await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
+    }
   }
 }
Suggestion importance[1-10]: 5

__

Why: The suggestion correctly points out that missing CSS sourcemaps will cause 404 errors in development, and proposes a valid fix that complements the existing placeholder logic for CSS files.

Low
Possible issue
Prevent unsafe thread-loader usage

Avoid using thread-loader together with cacheDirectory-enabled babel-loader, as
it often causes hangs or degraded performance with small/fast transforms. Gate
threading to production only, and disable threads when BUILD_WATCH_ONCE or
!isProduction. This prevents CI/dev flakiness and reduces startup overhead.

build.mjs [69-261]

-const enableThread = process.env.BUILD_THREAD === '0' ? false : true
+const enableThread =
+  process.env.BUILD_THREAD === '0'
+    ? false
+    : isProduction && !isWatchOnce // only thread in sustained prod builds
 ...
 {
   test: /\.m?jsx?$/,
   exclude: /(node_modules|bower_components)/,
   resolve: {
     fullySpecified: false,
   },
   use: [
     ...(enableThread
       ? [
           {
             loader: 'thread-loader',
             options: {
               workers: threadWorkers,
-              // Ensure one-off dev build exits quickly
-              poolTimeout: isProduction
-                ? PRODUCTION_POOL_TIMEOUT_MS
-                : isWatchOnce
-                ? 0
-                : Infinity,
+              poolTimeout: PRODUCTION_POOL_TIMEOUT_MS,
             },
           },
         ]
       : []),
     {
       loader: 'babel-loader',
       options: {
         cacheDirectory: true,
         cacheCompression: false,
         presets: ['@babel/preset-env'],
         plugins: [
           ['@babel/plugin-transform-runtime'],
           [
             '@babel/plugin-transform-react-jsx',
             {
               runtime: 'automatic',
               importSource: 'preact',
             },
           ],
         ],
       },
     },
   ],
 },
Suggestion importance[1-10]: 7

__

Why: The suggestion correctly identifies a potential stability issue with using thread-loader and babel-loader's cacheDirectory together, which can cause hangs. Restricting thread-loader to production builds is a good practice that improves development stability and startup time.

Medium
✅ Suggestions up to commit 7bad746
CategorySuggestion                                                                                                                                    Impact
Possible issue
Exit non-zero on prod failures
Suggestion Impact:The commit adjusted production/build error handling to affect exit codes: it sets process.exitCode=1 when closing the compiler fails (lines 49-58) and ensures the top-level build() promise rejection exits with code 1 (lines 82-86). While it doesn’t exactly mirror the suggested finalize/hasErrors logic within compiler.run, it moves toward propagating non-zero exits on failures.

code diff:

@@ -377,7 +381,10 @@
     compiler.run((err, stats) => {
       const finishClose = () =>
         compiler.close((closeErr) => {
-          if (closeErr) console.error('Error closing compiler:', closeErr)
+          if (closeErr) {
+            console.error('Error closing compiler:', closeErr)
+            process.exitCode = 1
+          }
         })

In production, errors are logged but the process may still exit with code 0.
Propagate non-zero exit codes on build failure to avoid green CI with broken
artifacts. Mirror the dev watch-once behavior by exiting based on errors.

build.mjs [374-411]

 if (isProduction) {
-  // Ensure compiler is properly closed after production runs
   compiler.run((err, stats) => {
-    const finishClose = () =>
+    const hasErrors =
+      !!err || (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
+    const finishClose = (cb) =>
       compiler.close((closeErr) => {
         if (closeErr) console.error('Error closing compiler:', closeErr)
+        if (cb) cb(closeErr)
       })
     try {
       const ret = callback(err, stats)
+      const finalize = () =>
+        finishClose(() => {
+          if (hasErrors) process.exit(1)
+        })
       if (ret && typeof ret.then === 'function') {
-        ret.then(finishClose, finishClose)
+        ret.then(finalize, finalize)
       } else {
-        finishClose()
+        finalize()
       }
     } catch (_) {
-      finishClose()
+      finishClose(() => process.exit(1))
     }
   })
 } else {
   const watching = compiler.watch({}, (err, stats) => {
     const hasErrors = !!(
       err ||
       (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
     )
     const ret = callback(err, stats)
     if (process.env.BUILD_WATCH_ONCE) {
       const finalize = () =>
         watching.close((closeErr) => {
           if (closeErr) console.error('Error closing watcher:', closeErr)
-          // Exit explicitly to prevent hanging processes in CI
-          // Use non-zero exit code when errors occurred
           process.exit(hasErrors || closeErr ? 1 : 0)
         })
       if (ret && typeof ret.then === 'function') ret.then(finalize, finalize)
       else finalize()
     }
   })
 }
Suggestion importance[1-10]: 8

__

Why: This is a critical suggestion that correctly points out that production build failures would not propagate a non-zero exit code, potentially causing CI to pass with broken artifacts. The proposed change correctly mirrors the error handling logic from the development build, which is a significant improvement for CI reliability.

Medium
Add robust Sass fallback error
Suggestion Impact:The commit updated the Sass import logic to try 'sass-embedded' first, fall back to 'sass', and throw a clear error if both fail. This implements the suggested robust fallback error, though with a simpler error message and slightly different handling of the 'sass' import default.

code diff:

-  // Use the default export from sass-embedded; sass-loader expects the implementation object.
-  // Fallback to `sass` if sass-embedded is unavailable.
   let sassImpl
   try {
     const mod = await import('sass-embedded')
     sassImpl = mod.default || mod
-  } catch (e) {
-    const mod = await import('sass')
-    // Prefer namespace import style to avoid deprecated default import warning
-    // "import sass from 'sass'" is deprecated; use namespace instead
-    sassImpl = mod
+  } catch (e1) {
+    try {
+      const mod = await import('sass')
+      sassImpl = mod.default || mod
+    } catch (e2) {
+      throw new Error(`No Sass implementation available. Install 'sass-embedded' or 'sass'.`)
+    }
   }

If both sass-embedded and sass are unavailable, the build will crash with an
unhelpful dynamic import error. Add a clear fallback error that instructs how to
install one of the implementations. This prevents opaque failures in CI and
local envs.

build.mjs [93-102]

-const sassImpl
+let sassImpl
 try {
   const mod = await import('sass-embedded')
   sassImpl = mod.default || mod
-} catch (e) {
-  const mod = await import('sass')
-  // Prefer namespace import style to avoid deprecated default import warning
-  // "import sass from 'sass'" is deprecated; use namespace instead
-  sassImpl = mod
+} catch (e1) {
+  try {
+    const mod = await import('sass')
+    sassImpl = mod
+  } catch (e2) {
+    throw new Error(
+      '[build] No Sass implementation found. Install "sass-embedded" (preferred) or "sass". Original errors: ' +
+        (e1 && e1.message ? e1.message : String(e1)) +
+        ' | ' +
+        (e2 && e2.message ? e2.message : String(e2)),
+    )
+  }
 }
Suggestion importance[1-10]: 6

__

Why: This suggestion correctly identifies a potential unhandled error if both sass-embedded and sass imports fail, and proposes a robust solution to provide a clearer error message, which improves the build script's reliability.

Low
General
Add build config to cache key

The cache key ignores webpack config changes, risking stale caches and wrong
builds. Include a hash of build.mjs to bust cache when build settings change.
This prevents subtle CI-only build errors.

.github/workflows/pre-release-build.yml [37-45]

 - name: Cache Webpack filesystem cache
   uses: actions/cache@v4
   with:
     path: |
       .cache/webpack
       node_modules/.cache/webpack
-    key: ${{ runner.os }}-node${{ env.NODE_MAJOR }}-webpack-${{ hashFiles('**/package-lock.json') }}
+    key: ${{ runner.os }}-node${{ env.NODE_MAJOR }}-webpack-${{ hashFiles('**/package-lock.json', 'build.mjs') }}
     restore-keys: |
       ${{ runner.os }}-node${{ env.NODE_MAJOR }}-webpack-
Suggestion importance[1-10]: 7

__

Why: The suggestion correctly identifies that the Webpack cache key in the CI workflow is incomplete because it doesn't account for changes in build.mjs. Adding the file hash to the key is a valid and important improvement to prevent using a stale cache.

Medium
Incremental [*]
Avoid watcher edge-case crash
Suggestion Impact:The commit changed the watch-once condition to use isWatchOnce instead of reading the env var directly, aligning with the suggestion. However, it did not modify the hasErrors calculation. Impact is partial.

code diff:

         (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
       )
       const ret = callback(err, stats)
-      if (process.env.BUILD_WATCH_ONCE) {
+      if (isWatchOnce) {
         const finalize = (callbackFailed = false) =>
           watching.close((closeErr) => {
             if (closeErr) console.error('Error closing watcher:', closeErr)

Use the already computed isWatchOnce flag consistently and short‑circuit when
stats can be undefined to avoid TypeError on stats.hasErrors() in rare watcher
edge cases

build.mjs [393-410]

 const watching = compiler.watch({}, (err, stats) => {
-  const hasErrors = !!(
-    err ||
-    (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
-  )
+  const hasErrors =
+    !!err ||
+    !!(stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
   const ret = callback(err, stats)
-  if (process.env.BUILD_WATCH_ONCE) {
+  if (isWatchOnce) {
     const finalize = () =>
       watching.close((closeErr) => {
         if (closeErr) console.error('Error closing watcher:', closeErr)
-        // Exit explicitly to prevent hanging processes in CI
-        // Use non-zero exit code when errors occurred
         process.exit(hasErrors || closeErr ? 1 : 0)
       })
     if (ret && typeof ret.then === 'function') ret.then(finalize, finalize)
     else finalize()
   }
 })
Suggestion importance[1-10]: 6

__

Why: The suggestion improves code consistency by using the isWatchOnce variable and slightly enhances robustness by guarding against a potential TypeError if stats is null, making the watch-once logic cleaner and safer.

Low
Possible issue
Prevent truncated ZIP archives
Suggestion Impact:The commit changed the stream listener from 'close' to 'finish' and simplified finalize handling, aligning with the suggestion to resolve only after data is flushed and to call archive.finalize().

code diff:

     const onError = (err) => reject(err)
     output.on('error', onError)
     archive.on('error', onError)
-    output.on('close', resolve)
+    output.on('finish', resolve)
     archive.pipe(output)
     archive.directory(dir, false)
-    try {
-      archive.finalize()
-    } catch (err) {
-      onError(err)
-    }
+    archive.finalize()
   })

Ensure the promise resolves only after the archive stream finishes writing.
Listening to close on the output may miss buffered writes; use
output.on('finish', ...) and also wait for archive.finalize() resolution. This
prevents truncated ZIPs in CI under heavy I/O.

build.mjs [414-428]

 async function zipFolder(dir) {
   const zipPath = `${dir}.zip`
   await fs.ensureDir(path.dirname(zipPath))
   await new Promise((resolve, reject) => {
     const output = fs.createWriteStream(zipPath)
     const archive = archiver('zip', { zlib: { level: 9 } })
     const onError = (err) => reject(err)
     output.on('error', onError)
     archive.on('error', onError)
-    output.on('close', resolve)
+    // 'finish' indicates all data has been flushed to the underlying system
+    output.on('finish', resolve)
     archive.pipe(output)
     archive.directory(dir, false)
     archive.finalize().catch(onError)
   })
 }
Suggestion importance[1-10]: 8

__

Why: This is a critical bug fix; using the close event on a write stream can lead to truncated files, and the suggestion correctly proposes using the finish event to ensure all data is written before resolving the pro...

@PeterDaveHello
Copy link
Member Author

@codex review

Copy link

@chatgpt-codex-connector chatgpt-codex-connector bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Codex Review: Here are some suggestions.

Reply with @codex fix comments to fix any unresolved comments.

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 1

Caution

Some comments are outside the diff and can’t be posted inline due to platform limitations.

⚠️ Outside diff range comments (2)
package.json (1)

64-99: Add @babel/runtime to package dependencies
Babel’s @babel/plugin-transform-runtime is enabled in build.mjs (line 180) and listed under devDependencies, but @babel/runtime is missing—this will cause runtime “module not found” errors.

--- package.json
+++ package.json
@@ "dependencies": {
+  "@babel/runtime": "^7.24.7",
 }
build.mjs (1)

173-193: @babel/plugin-transform-runtime is placed inside presets; it won’t run

The plugin configured under presets is ignored. Move it to plugins (and, if you keep it, ensure @babel/runtime is added to package.json dependencies).

               options: {
                 cacheDirectory: true,
                 cacheCompression: false,
-                presets: [
-                  '@babel/preset-env',
-                  {
-                    plugins: ['@babel/plugin-transform-runtime'],
-                  },
-                ],
-                plugins: [
+                presets: ['@babel/preset-env'],
+                plugins: [
+                  ['@babel/plugin-transform-runtime'],
                   [
                     '@babel/plugin-transform-react-jsx',
                     {
                       runtime: 'automatic',
                       importSource: 'preact',
                     },
                   ],
                 ],
               },

Follow-up (package.json):

  • Add "@babel/runtime" to dependencies if you keep the plugin, or remove the plugin here to avoid introducing a runtime dep.
🧹 Nitpick comments (3)
package.json (1)

91-97: sass + sass-embedded together: consider dropping one

build.mjs uses sass-embedded as the loader implementation. Keeping both sass and sass-embedded increases install size; unless another tool requires sass, consider removing sass to slim CI installs. If you do need both, no action needed.

.github/workflows/pre-release-build.yml (1)

35-43: Broaden the webpack cache key to include build.mjs

Including build.mjs in the cache key avoids restoring a cache that webpack will immediately invalidate due to buildDependencies. This saves time and bandwidth.

Apply:

-          key: ${{ runner.os }}-webpack-${{ hashFiles('**/package-lock.json') }}
+          key: ${{ runner.os }}-webpack-${{ hashFiles('**/package-lock.json', 'build.mjs') }}
-          restore-keys: |
-            ${{ runner.os }}-webpack-
+          restore-keys: |
+            ${{ runner.os }}-webpack-
.github/copilot-instructions.md (1)

33-35: Tiny grammar/polish

Make the performance defaults sentence crisper.

-Performance defaults: esbuild is used for JS/CSS minification; dev injects CSS via style-loader,
-prod extracts CSS via MiniCssExtractPlugin; thread-loader is enabled by default in both dev and prod.
+Performance defaults: esbuild handles JS/CSS minification; in development CSS is injected via style-loader,
+in production CSS is extracted via MiniCssExtractPlugin; thread-loader is enabled by default in both dev and prod.
📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

💡 Knowledge Base configuration:

  • MCP integration is disabled by default for public repositories
  • Jira integration is disabled by default for public repositories
  • Linear integration is disabled by default for public repositories

You can enable these sources in your CodeRabbit configuration.

📥 Commits

Reviewing files that changed from the base of the PR and between 3768a06 and b76041e.

⛔ Files ignored due to path filters (1)
  • package-lock.json is excluded by !**/package-lock.json
📒 Files selected for processing (4)
  • .github/copilot-instructions.md (1 hunks)
  • .github/workflows/pre-release-build.yml (1 hunks)
  • build.mjs (12 hunks)
  • package.json (2 hunks)
🧰 Additional context used
🪛 LanguageTool
.github/copilot-instructions.md

[grammar] ~33-~33: There might be a mistake here.
Context: ...ation; dev injects CSS via style-loader, prod extracts CSS via MiniCssExtractPlug...

(QB_NEW_EN)

🔇 Additional comments (8)
package.json (1)

77-79: Verify esbuild-loader 4.3.0 compatibility with webpack ^5.92.1 and Node 20
package.json lists:
• webpack ^5.92.1
• esbuild ^0.25.9
• esbuild-loader ^4.3.0
Ensure your CI (running Node v20.x) installs these exact versions and completes a full webpack build without errors (for example, npm ci && npm run build), or run npm ls webpack esbuild-loader to confirm no version conflicts.

.github/workflows/pre-release-build.yml (1)

27-34: NPM cache step: LGTM

Positioning before npm ci and scoping to ~/.npm is correct for faster restores without locking node_modules.

.github/copilot-instructions.md (1)

20-32: Docs match implementation

The documented BUILD_PARALLEL, BUILD_THREAD/BUILD_THREAD_WORKERS, BUILD_CACHE_COMPRESSION, and BUILD_WATCH_ONCE flags align with build.mjs behavior. Nice.

build.mjs (5)

92-101: Switch to esbuild for JS/CSS minification: LGTM

Configuration and targets look sane; legalComments: 'none' keeps bundles lean, and CSS uses esbuildMinify via css-minimizer.


160-171: Threading defaults and poolTimeout handling are appropriate

Enabling thread-loader by default with CPU-derived workers and using poolTimeout = 0 for BUILD_WATCH_ONCE is a good balance for dev/prod.


364-375: Dev CSS placeholders are a nice touch

Avoiding 404 noise when using style-loader in development improves DX without affecting production.

Also applies to: 385-395


237-246: Font asset handling: confirm fallback behavior

woff2 is inlined, while woff/ttf are marked emit: false. That’s fine for modern Chromium/Firefox, but verify there’s no runtime path that requests woff/ttf (e.g., older Firefox ESR or custom user agents). If needed, either remove emit:false or conditionally emit only for production.

Suggested tweak if you need to emit in prod:

-        {
-          test: /\.(woff|ttf)$/,
-          type: 'asset/resource',
-          generator: {
-            emit: false,
-          },
-        },
+        {
+          test: /\.(woff|ttf)$/,
+          type: 'asset/resource',
+          generator: { emit: !isProduction ? false : true },
+        },

82-90: Filesystem cache compression control: LGTM

Env-driven compression with a safe default (disabled) aligns with the perf objective and warm-build wins.

@PeterDaveHello
Copy link
Member Author

@coderabbitai review

@coderabbitai
Copy link
Contributor

coderabbitai bot commented Aug 31, 2025

✅ Actions performed

Review triggered.

Note: CodeRabbit is an incremental review system and does not re-review already reviewed commits. This command is applicable only when automatic reviews are paused.

@PeterDaveHello
Copy link
Member Author

@codex review

@PeterDaveHello PeterDaveHello requested a review from Copilot August 31, 2025 07:20
Copilot

This comment was marked as outdated.

Copy link

@chatgpt-codex-connector chatgpt-codex-connector bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Codex Review: Here are some suggestions.

Reply with @codex fix comments to fix any unresolved comments.

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

Comment on lines 111 to +149
output: {
filename: '[name].js',
path: path.resolve(__dirname, outdir),
path: path.resolve(__dirname, sourceBuildDir || outdir),
},
mode: isProduction ? 'production' : 'development',
devtool: isProduction ? false : 'inline-source-map',
devtool: isProduction ? false : 'cheap-module-source-map',
cache: {

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

[P2] Copy emitted source maps into dev build output

Development builds switched devtool to cheap-module-source-map, which emits external *.js.map files. However the packaging step only copies the JS and CSS assets into build/chromium*/build/firefox* and never copies the generated source map files. When loading the unpacked extension in a browser the bundles will reference content-script.js.map, popup.js.map, etc., but those files are missing, so DevTools reports 404s and source maps are unusable. Either copy the .map files alongside the bundles or keep inline source maps to avoid the broken references.

Useful? React with 👍 / 👎.

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 0

♻️ Duplicate comments (4)
build.mjs (4)

35-56: Thread worker calculation has proper bounds checking.

The logic for determining thread workers is robust with proper validation and capping to CPU count. Good defensive programming.


57-58: Consider making the production pool timeout configurable.

The hardcoded 2000ms timeout could be made configurable for different environments.

-const PRODUCTION_POOL_TIMEOUT_MS = 2000
+const PRODUCTION_POOL_TIMEOUT_MS = process.env.BUILD_POOL_TIMEOUT ? 
+  parseInt(process.env.BUILD_POOL_TIMEOUT, 10) : 2000

372-385: Add logging for skipped files in development.

When files are skipped (especially CSS placeholders), it would be helpful to log this for debugging purposes.

           if (!isProduction && isCss) return
+          console.log(`[build] Skipping missing CSS file: ${entryPoint.src} (placeholder will be created)`)

456-508: Parallel build implementation with temporary directories is well-structured.

The parallel and sequential build paths are properly implemented with appropriate cleanup of temporary directories. The error handling ensures failed builds are properly reported.

🧹 Nitpick comments (4)
package.json (1)

92-94: Consider pinning sass-embedded to match sass version.

While both sass and sass-embedded are at ^1.91.0, having separate version specs could lead to divergence. Consider using a single shared version constraint or removing the redundant sass package if sass-embedded is the primary implementation.

If sass-embedded is the primary Sass implementation being used in build.mjs, you could remove the regular sass package:

-    "sass": "^1.91.0",
     "sass-embedded": "^1.91.0",
.github/workflows/pre-release-build.yml (1)

29-35: Consider adding npm cache version to the cache key.

The npm cache key only includes the OS and package-lock hash. If npm itself is upgraded, the cache structure might change. Consider including npm version in the key.

-          key: ${{ runner.os }}-node-${{ hashFiles('**/package-lock.json') }}
+          key: ${{ runner.os }}-npm-v${{ steps.npm-version.outputs.version }}-${{ hashFiles('**/package-lock.json') }}

You would need to add a step to capture npm version:

      - name: Get npm version
        id: npm-version
        run: echo "version=$(npm -v)" >> $GITHUB_OUTPUT
.github/copilot-instructions.md (1)

33-34: Fix minor grammar issue in the documentation.

There's a minor grammar issue flagged by static analysis.

-Performance defaults: esbuild handles JS/CSS minification; in development CSS is injected via style-loader,
-in production CSS is extracted via MiniCssExtractPlugin; thread-loader is enabled by default in both dev and prod.
+Performance defaults: esbuild handles JS/CSS minification; in development CSS is injected via style-loader;
+in production CSS is extracted via MiniCssExtractPlugin; thread-loader is enabled by default in both dev and prod.
build.mjs (1)

20-34: Consider extracting cache compression validation to a helper function.

The cache compression validation logic is quite verbose and could be simplified.

-const cacheCompressionEnv = process.env.BUILD_CACHE_COMPRESSION
-let cacheCompressionOption
-if (cacheCompressionEnv != null) {
-  const v = String(cacheCompressionEnv).trim().toLowerCase()
-  if (v === '' || v === '0' || v === 'false' || v === 'none') {
-    cacheCompressionOption = false
-  } else if (v === 'gzip' || v === 'brotli') {
-    cacheCompressionOption = v
-  } else {
-    console.warn(
-      `[build] Unknown BUILD_CACHE_COMPRESSION="${cacheCompressionEnv}", defaulting to no compression`,
-    )
-    cacheCompressionOption = false
-  }
-}
+function parseCacheCompression(env) {
+  if (env == null) return undefined
+  const v = String(env).trim().toLowerCase()
+  if (['', '0', 'false', 'none'].includes(v)) return false
+  if (['gzip', 'brotli'].includes(v)) return v
+  console.warn(`[build] Unknown BUILD_CACHE_COMPRESSION="${env}", defaulting to no compression`)
+  return false
+}
+const cacheCompressionOption = parseCacheCompression(process.env.BUILD_CACHE_COMPRESSION)
📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

💡 Knowledge Base configuration:

  • MCP integration is disabled by default for public repositories
  • Jira integration is disabled by default for public repositories
  • Linear integration is disabled by default for public repositories

You can enable these sources in your CodeRabbit configuration.

📥 Commits

Reviewing files that changed from the base of the PR and between b76041e and 78d7999.

📒 Files selected for processing (4)
  • .github/copilot-instructions.md (1 hunks)
  • .github/workflows/pre-release-build.yml (1 hunks)
  • build.mjs (12 hunks)
  • package.json (3 hunks)
🧰 Additional context used
🪛 LanguageTool
.github/copilot-instructions.md

[grammar] ~33-~33: There might be a mistake here.
Context: ...opment CSS is injected via style-loader, in production CSS is extracted via MiniC...

(QB_NEW_EN)

🔇 Additional comments (12)
package.json (3)

78-79: Ensure esbuild is actually installed before the build runs.

Adding esbuild and esbuild-loader to devDependencies is correct for the new minification pipeline.


96-97: LGTM! Build performance tooling additions.

The addition of style-loader for development builds and thread-loader for parallel processing aligns well with the performance optimization goals.


22-22: Keep @babel/runtime in dependencies
@babel/plugin-transform-runtime rewrites your code to import helpers (and regenerator runtime by default) from @babel/runtime, so it must remain in dependencies, not devDependencies.

Likely an incorrect or invalid review comment.

.github/workflows/pre-release-build.yml (2)

27-28: Node major version detection looks good.

The approach for detecting Node major version is correct and will properly differentiate caches across Node versions.


37-45: Webpack cache configuration is well-structured.

The cache paths and key structure appropriately include Node major version, which is important for native dependencies that might be compiled differently across Node versions.

.github/copilot-instructions.md (1)

22-31: Documentation of build performance options is comprehensive.

The new build performance options are well-documented with clear defaults and use cases. The BUILD_PARALLEL and BUILD_THREAD options provide good control over resource usage.

build.mjs (6)

17-18: LGTM! Parallel build control implementation.

The parallel build toggle with sensible default (on) provides good flexibility for different build environments.


82-82: Good fix for sass-embedded import issue.

The destructuring of the default export properly addresses the previous review comment about sass-loader expecting the implementation object.


129-136: Excellent choice using esbuild for minification.

Using esbuild for both JS and CSS minification should provide significant build performance improvements compared to Terser.


196-211: Thread-loader configuration is well-implemented.

The conditional inclusion of thread-loader with appropriate pool timeout settings for different scenarios (production, watch-once, development) is well thought out.


345-354: Watch-once implementation is clean and correct.

The implementation properly closes the watcher after the first build when BUILD_WATCH_ONCE is set.


417-427: Good solution for CSS 404 noise in development.

Creating placeholder CSS files in development mode is a thoughtful solution to avoid console noise from 404 errors.

Also applies to: 437-446

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 0

♻️ Duplicate comments (6)
build.mjs (6)

17-17: Simplify boolean logic for parallelBuild

The ternary operator with explicit boolean values is unnecessarily verbose.

-const parallelBuild = process.env.BUILD_PARALLEL === '0' ? false : true
+const parallelBuild = process.env.BUILD_PARALLEL !== '0'

35-42: Simplify CPU count fallback logic

The CPU count determination logic is overly complex and can be simplified using Math.max.

-let cpuCount = 1
-try {
-  const cpuInfo = os.cpus && os.cpus()
-  const len = Array.isArray(cpuInfo) ? cpuInfo.length : 0
-  cpuCount = Number.isInteger(len) && len > 0 ? len : 1
-} catch {
-  cpuCount = 1
-}
+const cpuCount = Math.max(1, os.cpus()?.length || 1)

130-130: Verify source map configuration change impact

The change from 'inline-source-map' to 'cheap-module-source-map' improves build performance but creates external .map files that need to be copied in development builds.

#!/bin/bash
# Check if .map files are generated and if there's any handling for them
echo "Checking for source map handling in development builds..."
rg -n "\.map" build.mjs
rg -n "source-map" build.mjs

# Check if copyFiles function handles .map files
ast-grep --pattern 'copyFiles($$$)'

506-558: Consider extracting duplicated webpack build logic

The production build contains significant code duplication between parallel and sequential builds. This pattern of wrapping runWebpack in promises is repeated multiple times.

Consider refactoring to reduce duplication:

+function createWebpackBuildPromise(isWithoutKatex, isWithoutTiktoken, minimal, tmpDir, suffix) {
+  return new Promise((resolve, reject) =>
+    runWebpack(isWithoutKatex, isWithoutTiktoken, minimal, tmpDir, async (err, stats) => {
+      if (err || stats.hasErrors()) {
+        console.error(err || stats.toString())
+        reject(err || new Error('webpack error'))
+        return
+      }
+      await finishOutput(suffix, tmpDir)
+      resolve()
+    })
+  )
+}

 async function build() {
   await deleteOldDir()
   if (isProduction && !isAnalyzing) {
     const tmpFull = `${outdir}/.tmp-full`
     const tmpMin = `${outdir}/.tmp-min`
+    
+    const buildMin = () => createWebpackBuildPromise(true, true, true, tmpMin, '-without-katex-and-tiktoken')
+    const buildFull = () => createWebpackBuildPromise(false, false, false, tmpFull, '')
+    
     if (parallelBuild) {
-      await Promise.all([
-        new Promise((resolve, reject) =>
-          runWebpack(true, true, true, tmpMin, async (err, stats) => {
-            // ... duplicated code
-          }),
-        ),
-        new Promise((resolve, reject) =>
-          runWebpack(false, false, false, tmpFull, async (err, stats) => {
-            // ... duplicated code
-          }),
-        ),
-      ])
+      await Promise.all([buildMin(), buildFull()])
     } else {
-      await new Promise((resolve, reject) =>
-        runWebpack(true, true, true, tmpMin, async (err, stats) => {
-          // ... duplicated code
-        }),
-      )
-      await new Promise((resolve, reject) =>
-        runWebpack(false, false, false, tmpFull, async (err, stats) => {
-          // ... duplicated code
-        }),
-      )
+      await buildMin()
+      await buildFull()
     }
     await fs.rm(tmpFull, { recursive: true, force: true })
     await fs.rm(tmpMin, { recursive: true, force: true })
     return
   }
   // ... rest of the function
 }

98-104: Consider using a more stable cache key

Including the full sourceBuildDir path in the cache key may cause unnecessary cache invalidation when build directories change between runs.

 const variantId = [
   isWithoutKatex ? 'no-katex' : 'with-katex',
   isWithoutTiktoken ? 'no-tiktoken' : 'with-tiktoken',
   minimal ? 'minimal' : 'full',
-  sourceBuildDir || outdir,
+  path.basename(sourceBuildDir || outdir),
   isProduction ? 'prod' : 'dev',
 ].join('|')

420-436: Critical: Build may silently skip missing artifacts

The copyFiles function now silently skips missing files when fs.pathExists returns false, which could lead to incomplete builds being published without any failure signal. While CSS placeholders in dev mode are acceptable, critical JS files should never be skipped silently.

Consider failing the build for missing critical files:

 async function copyFiles(entryPoints, targetDir) {
   if (!fs.existsSync(targetDir)) await fs.mkdir(targetDir, { recursive: true })
   await Promise.all(
     entryPoints.map(async (entryPoint) => {
       try {
         if (await fs.pathExists(entryPoint.src)) {
           await fs.copy(entryPoint.src, `${targetDir}/${entryPoint.dst}`)
         } else {
-          // Skip missing CSS in development (placeholders will be created later)
           const isCss = String(entryPoint.dst).endsWith('.css')
-          if (!isProduction || isCss) {
-            if (!isProduction && isCss) return
+          // Only skip CSS files in development (placeholders will be created)
+          if (!isProduction && isCss) {
+            console.log(`Skipping missing CSS in dev: ${entryPoint.src}`)
+            return
           }
+          // For all other files or production builds, this is a critical error
           throw new Error(`Missing build artifact: ${entryPoint.src}`)
         }
       } catch (e) {
         console.error('Copy failed:', entryPoint, e)
         throw e
       }
     }),
   )
 }
🧹 Nitpick comments (1)
build.mjs (1)

401-415: Add error handling for directory creation in zipFolder

The zipFolder function should ensure the parent directory exists before creating the zip file.

The implementation correctly uses fs.ensureDir to create parent directories, and the Promise-based error handling is comprehensive. Good implementation!

📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

💡 Knowledge Base configuration:

  • MCP integration is disabled by default for public repositories
  • Jira integration is disabled by default for public repositories
  • Linear integration is disabled by default for public repositories

You can enable these sources in your CodeRabbit configuration.

📥 Commits

Reviewing files that changed from the base of the PR and between 78d7999 and ee5c711.

📒 Files selected for processing (1)
  • build.mjs (11 hunks)
🔇 Additional comments (6)
build.mjs (6)

89-96: LGTM! Sass implementation import fixed correctly

The sass-embedded import now correctly uses the default export, which resolves the previous runtime error issue. The fallback to sass is also properly implemented.


364-399: LGTM! Proper compiler lifecycle management

The compiler is now properly closed after production runs, preventing resource leaks. The watch mode also correctly handles the BUILD_WATCH_ONCE scenario with appropriate exit codes.


467-477: LGTM! Good solution for CSS 404 noise in development

The placeholder CSS files effectively prevent 404 errors in development mode without affecting production builds.

Also applies to: 487-497


149-156: LGTM! Effective esbuild integration for minification

The migration from Terser to esbuild for both JS and CSS minification is well-implemented and should provide significant build performance improvements as reported in the PR objectives.


216-230: LGTM! Well-configured thread-loader integration

The thread-loader configuration with dynamic worker allocation based on CPU cores and appropriate pool timeouts for different build scenarios is excellent.


255-255: LGTM! Smart CSS handling for dev vs production

Using style-loader in development and MiniCssExtractPlugin in production is a best practice that speeds up development builds while maintaining proper CSS extraction for production.

Also applies to: 271-271, 286-286

@PeterDaveHello PeterDaveHello requested a review from Copilot August 31, 2025 07:57
Copilot

This comment was marked as outdated.

@PeterDaveHello
Copy link
Member Author

@codex review

Copy link

@chatgpt-codex-connector chatgpt-codex-connector bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Codex Review: Here are some suggestions.

Reply with @codex fix comments to fix any unresolved comments.

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 0

♻️ Duplicate comments (3)
build.mjs (3)

91-98: Stabilize cache key: avoid absolute paths in variantId to improve cache hits across environments

Using sourceBuildDir or outdir directly can include absolute paths, fragmenting cache keys between CI/local. Normalize to a relative path.

   const variantId = [
     isWithoutKatex ? 'no-katex' : 'with-katex',
     isWithoutTiktoken ? 'no-tiktoken' : 'with-tiktoken',
     minimal ? 'minimal' : 'full',
-    sourceBuildDir || outdir,
+    path.relative(process.cwd(), sourceBuildDir || outdir),
     isProduction ? 'prod' : 'dev',
   ].join('|')

376-389: Fix watch-once: await async callback before closing watcher/exiting

When BUILD_WATCH_ONCE is set, the code exits before async work in the callback (e.g., finishOutput) completes, yielding partial outputs. Await the returned promise before closing the watcher and exiting.

-    const watching = compiler.watch({}, (err, stats) => {
+    const watching = compiler.watch({}, (err, stats) => {
       const hasErrors = !!(
         err ||
         (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
       )
-      callback(err, stats)
-      if (process.env.BUILD_WATCH_ONCE) {
-        watching.close((closeErr) => {
-          if (closeErr) console.error('Error closing watcher:', closeErr)
-          // Exit explicitly to prevent hanging processes in CI
-          // Use non-zero exit code when errors occurred
-          process.exit(hasErrors || closeErr ? 1 : 0)
-        })
-      }
+      const ret = callback(err, stats)
+      const finalize = () =>
+        watching.close((closeErr) => {
+          if (closeErr) console.error('Error closing watcher:', closeErr)
+          process.exit(hasErrors || closeErr ? 1 : 0)
+        })
+      if (process.env.BUILD_WATCH_ONCE) {
+        if (ret && typeof ret.then === 'function') ret.then(finalize, finalize)
+        else finalize()
+      }
     })

123-124: Dev source maps: either copy .map files or revert to inline to avoid 404s in unpacked extension

With devtool set to cheap-module-source-map, bundles reference external *.js.map files, but finishOutput doesn’t copy them, causing broken source maps in the browser. Choose one:

Option A — copy maps:

@@
-    devtool: isProduction ? false : 'cheap-module-source-map',
+    devtool: isProduction ? false : 'cheap-module-source-map',
@@
-async function finishOutput(outputDirSuffix, sourceBuildDir = outdir) {
+async function finishOutput(outputDirSuffix, sourceBuildDir = outdir) {
+  const mapFiles = isProduction
+    ? []
+    : [
+        { src: `${sourceBuildDir}/shared.js.map`, dst: 'shared.js.map' },
+        { src: `${sourceBuildDir}/content-script.js.map`, dst: 'content-script.js.map' },
+        { src: `${sourceBuildDir}/background.js.map`, dst: 'background.js.map' },
+        { src: `${sourceBuildDir}/popup.js.map`, dst: 'popup.js.map' },
+        { src: `${sourceBuildDir}/IndependentPanel.js.map`, dst: 'IndependentPanel.js.map' },
+      ]
@@
-  await copyFiles(
-    [...commonFiles, { src: 'src/manifest.json', dst: 'manifest.json' }],
+  await copyFiles(
+    [...commonFiles, ...mapFiles, { src: 'src/manifest.json', dst: 'manifest.json' }],
     chromiumOutputDir,
   )
@@
-  await copyFiles(
-    [...commonFiles, { src: 'src/manifest.v2.json', dst: 'manifest.json' }],
+  await copyFiles(
+    [...commonFiles, ...mapFiles, { src: 'src/manifest.v2.json', dst: 'manifest.json' }],
     firefoxOutputDir,
   )

Option B — revert to inline source maps in dev:

-    devtool: isProduction ? false : 'cheap-module-source-map',
+    devtool: isProduction ? false : 'inline-source-map',

Run to confirm maps are included after applying Option A:

#!/bin/bash
rg -n "js\.map" -C2 build.mjs && echo "---" && rg -n "shared\.js\.map|content-script\.js\.map|background\.js\.map|popup\.js\.map|IndependentPanel\.js\.map" -C1

Also applies to: 438-456, 460-463, 480-483

🧹 Nitpick comments (6)
build.mjs (3)

411-411: Prefer fs.ensureDir for idempotent directory creation

Slightly simpler and race-safe.

-  if (!fs.existsSync(targetDir)) await fs.mkdir(targetDir, { recursive: true })
+  await fs.ensureDir(targetDir)

187-187: Document resolve.symlinks: false and its implications

This can affect npm/pnpm link and workspace symlinks. Add a note in docs (Build Performance or Bootstrap) about potential impact and workarounds.


499-571: Deduplicate build variant orchestration to reduce boilerplate

The Promise wrapping for the two production variants is repeated. Extract a small helper to run webpack and finishOutput to cut duplication and lower error surface.

Example:

function webpackRunPromise(args, suffix, dir) {
  return new Promise((resolve, reject) =>
    runWebpack(...args, async (err, stats) => {
      if (err || stats.hasErrors()) {
        console.error(err || stats.toString())
        reject(err || new Error('webpack error'))
        return
      }
      await finishOutput(suffix, dir)
      resolve()
    }),
  )
}

// Usage:
const buildMin = () => webpackRunPromise([true, true, true, tmpMin], '-without-katex-and-tiktoken', tmpMin)
const buildFull = () => webpackRunPromise([false, false, false, tmpFull], '', tmpFull)
.github/copilot-instructions.md (3)

33-35: Tighten grammar/punctuation for clarity

Add commas around parenthetical phrases.

-Performance defaults: esbuild handles JS/CSS minification; in development CSS is injected via style-loader;
-in production CSS is extracted via MiniCssExtractPlugin; thread-loader is enabled by default in both dev and prod.
+Performance defaults: esbuild handles JS/CSS minification; in development, CSS is injected via style-loader;
+in production, CSS is extracted via MiniCssExtractPlugin; thread-loader is enabled by default in both dev and prod.

20-32: Document symlink behavior (resolve.symlinks: false) and local-link caveats

Add a short note so contributors using npm/pnpm link aren’t surprised.

Suggested addition:

  • Note: Webpack is configured with resolve.symlinks: false to speed up/normalize module resolution. If you use npm link or pnpm workspaces with symlinked deps, local changes may not be picked up as expected. Workarounds: avoid symlinked deps for this repo, or temporarily enable symlink resolution in build.mjs while developing the linked package.

36-47: Mention dev source maps location/expectations

Since dev builds emit external source maps, note that .map files are included in build/* outputs to keep DevTools happy.

Suggested addition:

  • Development: Bundles reference external source maps (.js.map). These files are copied into build/chromium/ and build/firefox*/ so DevTools can load them without 404s. If you don’t need source maps, set BUILD_SOURCEMAPS=0 (future option) or switch to inline maps locally.

Also applies to: 104-117

📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

💡 Knowledge Base configuration:

  • MCP integration is disabled by default for public repositories
  • Jira integration is disabled by default for public repositories
  • Linear integration is disabled by default for public repositories

You can enable these sources in your CodeRabbit configuration.

📥 Commits

Reviewing files that changed from the base of the PR and between ee5c711 and 4e0e3a7.

📒 Files selected for processing (4)
  • .github/copilot-instructions.md (1 hunks)
  • .github/workflows/pre-release-build.yml (1 hunks)
  • build.mjs (11 hunks)
  • package.json (3 hunks)
🚧 Files skipped from review as they are similar to previous changes (2)
  • package.json
  • .github/workflows/pre-release-build.yml
🧰 Additional context used
🪛 LanguageTool
.github/copilot-instructions.md

[grammar] ~33-~33: There might be a mistake here.
Context: ...opment CSS is injected via style-loader; in production CSS is extracted via MiniC...

(QB_NEW_EN)

🔇 Additional comments (4)
build.mjs (4)

80-89: Correct sass-embedded default export usage — LGTM

Using the default export ensures sass-loader receives the implementation object; fallback to sass is correct.


35-55: Thread worker parsing/capping — LGTM

Positive integer validation, CPU cap, and warnings look solid. Good defaulting to cpuCount.


56-59: Thread-loader timeout constant — LGTM

Named constant resolves the magic number. Pool timeout choices make sense (2s prod, 0 for watch-once, Infinity in dev).

Also applies to: 209-224


404-407: Remove .catch on archiver.finalize() (returns void) to avoid sync TypeError and broken zips

archiver.finalize() does not return a promise; calling .catch throws synchronously and can break the zip step.

-    archive.directory(dir, false)
-    archive.finalize().catch(onError)
+    archive.directory(dir, false)
+    try {
+      archive.finalize()
+    } catch (err) {
+      onError(err)
+    }

Likely an incorrect or invalid review comment.

@PeterDaveHello PeterDaveHello requested a review from Copilot August 31, 2025 11:36
Copilot

This comment was marked as outdated.

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 1

♻️ Duplicate comments (3)
build.mjs (3)

423-449: Avoid TOCTOU on copy; let fs.copy fail and handle ENOENT.

Removes the race between pathExists and copy while keeping dev CSS skip behavior.

 async function copyFiles(entryPoints, targetDir) {
   if (!fs.existsSync(targetDir)) await fs.mkdir(targetDir, { recursive: true })
   await Promise.all(
     entryPoints.map(async (entryPoint) => {
-      try {
-        if (await fs.pathExists(entryPoint.src)) {
-          await fs.copy(entryPoint.src, `${targetDir}/${entryPoint.dst}`)
-        } else {
-          // Skip missing CSS in development (placeholders will be created later)
-          const isCss = String(entryPoint.dst).endsWith('.css')
-          if (!isProduction || isCss) {
-            if (!isProduction && isCss) {
-              console.log(
-                `[build] Skipping missing CSS file: ${entryPoint.src} -> ${entryPoint.dst} (placeholder will be created)`,
-              )
-              return
-            }
-          }
-          throw new Error(`Missing build artifact: ${entryPoint.src}`)
-        }
-      } catch (e) {
-        console.error('Copy failed:', entryPoint, e)
-        throw e
-      }
+      try {
+        await fs.copy(entryPoint.src, `${targetDir}/${entryPoint.dst}`)
+      } catch (e) {
+        const isCss = String(entryPoint.dst).endsWith('.css')
+        if (e && e.code === 'ENOENT') {
+          if (!isProduction && isCss) {
+            console.log(
+              `[build] Skipping missing CSS file: ${entryPoint.src} -> ${entryPoint.dst} (placeholder will be created)`,
+            )
+            return
+          }
+          console.error('Missing build artifact:', entryPoint.src)
+        } else {
+          console.error('Copy failed:', entryPoint, e)
+        }
+        throw e
+      }
     }),
   )
 }

451-469: Dev source maps aren’t copied; DevTools shows 404s. Add .map copies in dev.

Since devtool is cheap-module-source-map, include emitted maps alongside bundles.

 async function finishOutput(outputDirSuffix, sourceBuildDir = outdir) {
-  const commonFiles = [
+  const commonFiles = [
     { src: 'src/logo.png', dst: 'logo.png' },
     { src: 'src/rules.json', dst: 'rules.json' },
 
     { src: `${sourceBuildDir}/shared.js`, dst: 'shared.js' },
     { src: `${sourceBuildDir}/content-script.css`, dst: 'content-script.css' }, // shared
 
     { src: `${sourceBuildDir}/content-script.js`, dst: 'content-script.js' },
 
     { src: `${sourceBuildDir}/background.js`, dst: 'background.js' },
 
     { src: `${sourceBuildDir}/popup.js`, dst: 'popup.js' },
     { src: `${sourceBuildDir}/popup.css`, dst: 'popup.css' },
     { src: 'src/popup/index.html', dst: 'popup.html' },
 
     { src: `${sourceBuildDir}/IndependentPanel.js`, dst: 'IndependentPanel.js' },
     { src: 'src/pages/IndependentPanel/index.html', dst: 'IndependentPanel.html' },
-  ]
+    // Dev-only: copy external source maps for CSP-safe debugging
+    ...(isProduction
+      ? []
+      : [
+          { src: `${sourceBuildDir}/content-script.js.map`, dst: 'content-script.js.map' },
+          { src: `${sourceBuildDir}/background.js.map`, dst: 'background.js.map' },
+          { src: `${sourceBuildDir}/popup.js.map`, dst: 'popup.js.map' },
+          { src: `${sourceBuildDir}/IndependentPanel.js.map`, dst: 'IndependentPanel.js.map' },
+        ]),
+  ]

370-404: Watch-once may exit before async finishOutput completes. Await the callback.

Process can terminate early, leaving partial outputs. Chain the promise before closing watcher/exiting.

   } else {
-    const watching = compiler.watch({}, (err, stats) => {
+    const watching = compiler.watch({}, (err, stats) => {
       const hasErrors = !!(
         err ||
         (stats && typeof stats.hasErrors === 'function' && stats.hasErrors())
       )
-      callback(err, stats)
+      const ret = callback(err, stats)
       if (process.env.BUILD_WATCH_ONCE) {
-        watching.close((closeErr) => {
-          if (closeErr) console.error('Error closing watcher:', closeErr)
-          // Exit explicitly to prevent hanging processes in CI
-          // Use non-zero exit code when errors occurred
-          process.exit(hasErrors || closeErr ? 1 : 0)
-        })
+        const finalize = () =>
+          watching.close((closeErr) => {
+            if (closeErr) console.error('Error closing watcher:', closeErr)
+            process.exit(hasErrors || closeErr ? 1 : 0)
+          })
+        if (ret && typeof ret.then === 'function') {
+          ret.then(finalize, finalize)
+        } else {
+          finalize()
+        }
       }
     })
   }
🧹 Nitpick comments (5)
.github/copilot-instructions.md (3)

32-33: Fix list indentation to satisfy markdownlint (MD005/MD007).

Align top-level and sub-bullets consistently.

- - BUILD_WATCH_ONCE (dev): When set, `npm run dev` runs a single build and exits (useful for timing)
- - BUILD_POOL_TIMEOUT: Override thread-loader production pool timeout (ms)
-   - Default: `2000`. Increase if workers recycle too aggressively on slow machines/CI
+ - BUILD_WATCH_ONCE (dev): When set, `npm run dev` runs a single build and exits (useful for timing)
+- BUILD_POOL_TIMEOUT: Override thread-loader production pool timeout (ms)
+  - Default: `2000`. Increase if workers recycle too aggressively on slow machines/CI

35-37: Tighten grammar and readability in “Performance defaults.”

Capitalize clauses and use commas/periods for clarity.

-Performance defaults: esbuild handles JS/CSS minification; in development CSS is injected via style-loader;
-in production CSS is extracted via MiniCssExtractPlugin; thread-loader is enabled by default in both dev and prod.
+Performance defaults: esbuild handles JS/CSS minification. In development, CSS is injected via style-loader;
+in production, CSS is extracted via MiniCssExtractPlugin. Thread-loader is enabled by default in both dev and prod.

20-37: Document source map behavior (external .map files in dev).

Dev builds use external source maps; call out that .map files are written next to bundles to avoid DevTools 404s and that production builds omit them.

 - BUILD_WATCH_ONCE (dev): When set, `npm run dev` runs a single build and exits (useful for timing)
+- Source maps (dev): External `.map` files are emitted next to JS bundles for CSP‑safe debugging; production builds disable source maps.
build.mjs (2)

136-151: Cache invalidation: include lockfiles/package.json in filesystem cache deps.

Without these, cache may go stale when deps change.

   cache: {
     type: 'filesystem',
     name: `webpack-${variantId}`,
     version: JSON.stringify({
       THREAD: enableThread,
       WORKERS: threadWorkers,
       CACHE_COMP: cacheCompressionOption ?? false,
       PROD: isProduction,
     }),
     // default none; override via BUILD_CACHE_COMPRESSION=gzip|brotli
     compression: cacheCompressionOption ?? false,
     buildDependencies: {
-      config: [path.resolve('build.mjs')],
+      config: [
+        path.resolve('build.mjs'),
+        path.resolve('package.json'),
+        path.resolve('package-lock.json'),
+        path.resolve('pnpm-lock.yaml'),
+        path.resolve('yarn.lock'),
+      ],
     },
   },

199-205: Resolve.symlinks=false can surprise linked dev setups; document it.

Add a short comment here and a note in docs about pnpm/npm link implications and why it’s set.

Would you like me to add a brief blurb under “Build Performance Options” explaining this choice?

📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

💡 Knowledge Base configuration:

  • MCP integration is disabled by default for public repositories
  • Jira integration is disabled by default for public repositories
  • Linear integration is disabled by default for public repositories

You can enable these sources in your CodeRabbit configuration.

📥 Commits

Reviewing files that changed from the base of the PR and between 4e0e3a7 and 4211e11.

📒 Files selected for processing (2)
  • .github/copilot-instructions.md (1 hunks)
  • build.mjs (11 hunks)
🧰 Additional context used
🪛 LanguageTool
.github/copilot-instructions.md

[grammar] ~35-~35: There might be a mistake here.
Context: ...opment CSS is injected via style-loader; in production CSS is extracted via MiniC...

(QB_NEW_EN)

🪛 markdownlint-cli2 (0.17.2)
.github/copilot-instructions.md

32-32: Inconsistent indentation for list items at the same level
Expected: 0; Actual: 1

(MD005, list-indent)


32-32: Unordered list indentation
Expected: 0; Actual: 1

(MD007, ul-indent)


33-33: Unordered list indentation
Expected: 2; Actual: 3

(MD007, ul-indent)

🔇 Additional comments (3)
build.mjs (3)

214-237: Thread-loader config looks solid.

Good defaults, CPU-aware worker cap, and poolTimeout tuning for dev/watch-once.


56-67: Good: pool timeout is named and env-overridable.

Clear default with validation; matches docs.


350-366: String-replace edits safe—no dangling syntax
Replacements only target standalone import/call lines in src/background/index.mjs, producing valid comment lines without stray commas or bindings, and the fonts import in src/content-script/styles.scss is present.

@PeterDaveHello
Copy link
Member Author

@codex review

Copy link

@chatgpt-codex-connector chatgpt-codex-connector bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Codex Review: Here are some suggestions.

Reply with @codex fix comments to fix any unresolved comments.

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

@PeterDaveHello
Copy link
Member Author

@codex review

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 1

♻️ Duplicate comments (7)
build.mjs (7)

17-23: Nit: naming reads clearer as a boolean flag

parallelBuild is a boolean; consider isParallelBuild for clarity. This was raised before.


25-34: Cache compression parser: keep return type uniform

Returning false for null/invalid values simplifies call sites. Prior feedback already suggested this.


36-41: Simplify CPU detection

os.cpus() always returns an array; current checks are overly defensive. Already suggested previously.

-  const cpuInfo = os.cpus && os.cpus()
-  const len = Array.isArray(cpuInfo) ? cpuInfo.length : 0
-  cpuCount = Number.isInteger(len) && len > 0 ? len : 1
+  cpuCount = Math.max(1, os.cpus().length || 1)

62-72: Explain the 2000ms default

Add a short rationale comment (e.g., balances warm dev rebuild vs worker spin-up). Previously flagged.


207-211: symlinks: false can affect linked workspaces; consider making it opt-in/out

Previously suggested via env toggle; reiterating.


427-466: Zip promise can be simplified; manual settled flag is unnecessary

Earlier feedback covered this; optional clean-up.


475-476: Nit: use path.extname for robustness

EndsWith('.css') can be replaced with path.extname(... ) === '.css'. Previously noted.

🧹 Nitpick comments (2)
build.mjs (2)

95-106: Hoist Sass implementation detection to a reusable helper

Avoid repeating dynamic import logic per build; cache once.

-  let sassImpl
-  try {
-    const mod = await import('sass-embedded')
-    sassImpl = mod.default || mod
-  } catch (e1) {
-    try {
-      const mod = await import('sass')
-      sassImpl = mod.default || mod
-    } catch (e2) {
-      throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")
-    }
-  }
+  const sassImpl = await getSassImpl()

Add once, outside runWebpack:

let cachedSassImpl
async function getSassImpl() {
  if (cachedSassImpl) return cachedSassImpl
  try {
    const mod = await import('sass-embedded')
    cachedSassImpl = mod.default || mod
  } catch (e1) {
    try {
      const mod = await import('sass')
      cachedSassImpl = mod.default || mod
    } catch (e2) {
      throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")
    }
  }
  return cachedSassImpl
}

143-151: Cache versioning: include Node major to reduce cross-env collisions

Small improvement to avoid stale hits across Node majors.

-      version: JSON.stringify({ PROD: isProduction }),
+      version: JSON.stringify({
+        PROD: isProduction,
+        nodeMajor: String(process.versions.node || '').split('.')[0] || 'unknown',
+      }),
📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between 1bda239 and 423a43b.

📒 Files selected for processing (1)
  • build.mjs (11 hunks)
🧰 Additional context used
🧠 Learnings (1)
📚 Learning: 2025-09-06T17:46:04.281Z
Learnt from: PeterDaveHello
PR: ChatGPTBox-dev/chatGPTBox#886
File: build.mjs:167-175
Timestamp: 2025-09-06T17:46:04.281Z
Learning: For the ChatGPTBox browser extension project, license preservation concerns about third-party dependencies may not be applicable according to the maintainer PeterDaveHello, who indicated this is the "wrong scope" for the project.

Applied to files:

  • build.mjs
🔇 Additional comments (10)
build.mjs (10)

108-117: Good fix: cache key now uses a safe separator

Using "__" avoids Windows path issues from earlier versions.


162-170: Esbuild/CSS minification swap looks good

Configuration aligns with the new toolchain; target es2017 is reasonable.


232-247: Thread-loader config is solid

Workers capped; poolTimeout tuned per mode/watch-once.


251-256: Babel cache settings LGTM

cacheDirectory on, compression off for speed.


271-281: Sass pipeline is correct

style-loader in dev, MiniCssExtract in prod; passing implementation explicitly.


380-421: Watch-once exit now awaits post-build tasks and propagates failure

Nice fix; avoids partial outputs and wrong exit codes.


468-491: Copy semantics are stricter (good)

Dev-only CSS is skippable; all other misses fail fast.


508-555: Dev source maps are now copied with assets

This addresses prior 404/DevTools issues.


557-583: Early setup failures now reject correctly

Catching runWebpack’s early rejection prevents hangs in parallel builds.


604-628: Dev bootstrap keeps watcher alive on initial errors

Good DX trade-off; watch-once still exits non-zero.

@chatgpt-codex-connector
Copy link

Codex Review: Didn't find any major issues. Delightful!

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

@PeterDaveHello
Copy link
Member Author

@coderabbitai review
@codex review

@coderabbitai
Copy link
Contributor

coderabbitai bot commented Sep 7, 2025

@PeterDaveHello I'll conduct a comprehensive review of your build pipeline refactor in PR #886. This significant update introduces esbuild-based optimization, thread-loader parallelization, and numerous performance improvements across the build system.

The review will cover:

  • Build script refactoring with parallel/sequential build support
  • Package dependency updates and esbuild migration
  • CI workflow enhancements with caching
  • New environment variable configurations
  • Performance and maintainability implications
✅ Actions performed

Review triggered.

Note: CodeRabbit is an incremental review system and does not re-review already reviewed commits. This command is applicable only when automatic reviews are paused.

Copilot

This comment was marked as outdated.

@ChatGPTBox-dev ChatGPTBox-dev deleted a comment from gemini-code-assist bot Sep 7, 2025
@PeterDaveHello
Copy link
Member Author

/gemini review

@chatgpt-codex-connector
Copy link

Codex Review: Didn't find any major issues. Keep them coming!

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

Copy link

@gemini-code-assist gemini-code-assist bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Code Review

This pull request significantly refactors the build system for performance and developer experience improvements, primarily by migrating to esbuild for minification, enabling thread-loader for parallelism, and enhancing caching strategies. The changes are well-structured and robust. I've identified two high-severity issues related to how boolean environment variables are parsed, which could lead to unexpected build behavior. My review includes suggestions to make the flag handling more reliable.

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 0

♻️ Duplicate comments (1)
build.mjs (1)

162-170: License banner stripping is intentionally out of scope here.
Past discussion concluded this is not applicable for this project’s distribution model.

🧹 Nitpick comments (9)
build.mjs (8)

34-41: Simplify CPU core detection (clearer and equivalent).
os.cpus() reliably returns an array on Node 20+. The current defensive checks can be reduced without losing safety.

-let cpuCount = 1
-try {
-  const cpuInfo = os.cpus && os.cpus()
-  const len = Array.isArray(cpuInfo) ? cpuInfo.length : 0
-  cpuCount = Number.isInteger(len) && len > 0 ? len : 1
-} catch {
-  cpuCount = 1
-}
+let cpuCount
+try {
+  cpuCount = Math.max(1, os.cpus().length)
+} catch {
+  cpuCount = 1
+}

25-33: Make cache compression parsing return type consistent (drop ?? false at call site).
Returning false when env is unset simplifies reasoning and removes the need for nullish coalescing where used.

 function parseCacheCompressionOption(envVal) {
-  if (envVal == null) return undefined
+  if (envVal == null) return false
   const v = String(envVal).trim().toLowerCase()
   if (v === '' || v === '0' || v === 'false' || v === 'none') return false
   if (v === 'gzip' || v === 'brotli') return v
   console.warn(`[build] Unknown BUILD_CACHE_COMPRESSION="${envVal}", defaulting to no compression`)
   return false
 }
-const cacheCompressionOption = parseCacheCompressionOption(process.env.BUILD_CACHE_COMPRESSION)
+const cacheCompressionOption = parseCacheCompressionOption(process.env.BUILD_CACHE_COMPRESSION)-      compression: cacheCompressionOption ?? false,
+      compression: cacheCompressionOption,

Also applies to: 150-151


62-72: Document the default pool timeout constant in-code.
A short comment explaining “why 2000ms” helps future maintainers. If it’s empirical, say so.


95-106: Load Sass implementation once per process, not per build variant.
This dynamic import runs for every runWebpack call. Hoist to a top-level lazy loader to avoid repeated imports and reduce startup jitter.

-  let sassImpl
-  try {
-    const mod = await import('sass-embedded')
-    sassImpl = mod.default || mod
-  } catch (e1) {
-    try {
-      const mod = await import('sass')
-      sassImpl = mod.default || mod
-    } catch (e2) {
-      throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")
-    }
-  }
+  const sassImpl = await (async () => {
+    for (const name of ['sass-embedded', 'sass']) {
+      try {
+        const mod = await import(name)
+        return mod.default || mod
+      } catch (_) {} // try next
+    }
+    throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")
+  })()

207-211: Consider making resolve.symlinks configurable.
Hard-disabling symlinks can hinder npm link/pnpm workflows. An env toggle would ease local package development.

-      // Disable symlink resolution for consistent behavior/perf; note this can
-      // affect `npm link`/pnpm workspaces during local development
-      symlinks: false,
+      // Disable symlink resolution for consistent behavior/perf.
+      // Enable via WEBPACK_SYMLINKS=1 when working with linked/workspace deps.
+      symlinks: process.env.WEBPACK_SYMLINKS === '1' ? true : false,

380-401: Normalize production callback to Promise for symmetry and safety.
Dev/watch path already wraps the callback to catch sync throws. Do the same here to avoid rare hangs if the callback throws before the first await.

   if (isProduction) {
     // Ensure compiler is properly closed after production runs
     compiler.run((err, stats) => {
       const finishClose = () =>
         compiler.close((closeErr) => {
           if (closeErr) {
             console.error('Error closing compiler:', closeErr)
             process.exitCode = 1
           }
         })
-      try {
-        const ret = callback(err, stats)
-        if (ret && typeof ret.then === 'function') {
-          ret.then(finishClose, finishClose)
-        } else {
-          finishClose()
-        }
-      } catch (_) {
-        finishClose()
-      }
+      Promise.resolve()
+        .then(() => callback(err, stats))
+        .then(finishClose, finishClose)
     })
   } else {

430-465: Stream/archiver promise can be simplified (no manual state).
Rely on the Promise contract and once handlers to avoid the custom settled flag.

-  await new Promise((resolve, reject) => {
-    const output = fs.createWriteStream(zipPath)
-    const archive = archiver('zip', { zlib: { level: 9 } })
-    let settled = false
-    const fail = (err) => {
-      if (!settled) {
-        settled = true
-        reject(err)
-      }
-    }
-    const done = () => {
-      if (!settled) {
-        settled = true
-        resolve()
-      }
-    }
-    output.once('error', fail)
-    archive.once('error', fail)
+  await new Promise((resolve, reject) => {
+    const output = fs.createWriteStream(zipPath)
+    const archive = archiver('zip', { zlib: { level: 9 } })
+    output.once('error', reject)
+    archive.once('error', reject)
     archive.on('warning', (err) => {
       // Log non-fatal archive warnings for diagnostics
       console.warn('[build][zip] warning:', err)
     })
-    // Resolve on close to ensure FD is flushed and closed
-    output.once('close', done)
-    // Ensure close is emitted after finish on some fast runners
-    output.once('finish', () => {
-      try {
-        if (typeof output.close === 'function') output.close()
-      } catch (_) {
-        // ignore
-      }
-    })
+    output.once('close', resolve) // resolves after fd flush/close
     archive.pipe(output)
     archive.directory(dir, false)
     archive.finalize()
   })

493-506: Derive placeholder CSS targets from the copy manifest to prevent drift.
Hardcoding popup.css and content-script.css can desync if entries change. Pass expected CSS files to the helper.

-async function ensureDevCssPlaceholders(targetDir) {
+async function ensureDevCssPlaceholders(targetDir, cssFiles) {
   if (isProduction) return
-  const cssFiles = [path.join(targetDir, 'popup.css'), path.join(targetDir, 'content-script.css')]
-  for (const cssPath of cssFiles) {
+  for (const cssPath of cssFiles) {
     if (!(await fs.pathExists(cssPath))) {
       await fs.outputFile(cssPath, '/* dev placeholder */\n')
     }
     const mapPath = `${cssPath}.map`
     if (!(await fs.pathExists(mapPath))) {
       await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
     }
   }
 }
 …
-  await ensureDevCssPlaceholders(chromiumOutputDir)
+  await ensureDevCssPlaceholders(
+    chromiumOutputDir,
+    commonFiles.filter(f => f.dst.endsWith('.css')).map(f => path.join(chromiumOutputDir, f.dst)),
+  )-  await ensureDevCssPlaceholders(firefoxOutputDir)
+  await ensureDevCssPlaceholders(
+    firefoxOutputDir,
+    commonFiles.filter(f => f.dst.endsWith('.css')).map(f => path.join(firefoxOutputDir, f.dst)),
+  )

Also applies to: 544-545, 553-554

.github/copilot-instructions.md (1)

20-38: Doc tweaks: add explicit Node.js requirement near the top.
You note Node 20+ under “Build Issues”; repeating it here reduces setup friction.

 ### Bootstrap and Build
@@
-- Install dependencies: `npm ci` -- npm audit warnings may appear; for development-only dependencies they generally do not affect the shipped extension. Review and address runtime-impacting advisories separately.
+- Prerequisite: Node.js 20+ (LTS). Older versions are unsupported.
+- Install dependencies: `npm ci` — npm audit warnings may appear; for development-only dependencies they generally do not affect the shipped extension. Review and address runtime-impacting advisories separately.
📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between 423a43b and 3a3ff77.

⛔ Files ignored due to path filters (1)
  • package-lock.json is excluded by !**/package-lock.json
📒 Files selected for processing (4)
  • .github/copilot-instructions.md (1 hunks)
  • .github/workflows/pre-release-build.yml (1 hunks)
  • build.mjs (11 hunks)
  • package.json (3 hunks)
🚧 Files skipped from review as they are similar to previous changes (2)
  • package.json
  • .github/workflows/pre-release-build.yml
🧰 Additional context used
🧠 Learnings (1)
📚 Learning: 2025-09-06T17:46:04.281Z
Learnt from: PeterDaveHello
PR: ChatGPTBox-dev/chatGPTBox#886
File: build.mjs:167-175
Timestamp: 2025-09-06T17:46:04.281Z
Learning: For the ChatGPTBox browser extension project, license preservation concerns about third-party dependencies may not be applicable according to the maintainer PeterDaveHello, who indicated this is the "wrong scope" for the project.

Applied to files:

  • build.mjs
🔇 Additional comments (7)
build.mjs (5)

142-142: Nice: dev now emits and copies external .map files.
This fixes the earlier 404s in extension DevTools. Looks good.

Also applies to: 526-535


232-247: Thread pool lifetime is clear; good defaults.
Workers capped to cores, 0 for watch-once to exit quickly, Infinity for dev. Solid.


408-421: Watch-once now awaits packaging before exit.
Exit code correctly reflects callback failures. This closes a common CI flake. LGTM.


526-535: Approve: dev maps now explicitly copied.
This aligns with the switch to external maps and prevents DevTools 404s.


580-582: Approve: early setup failures now propagate.
Catching runWebpack initial rejections avoids hanging builds when dynamic imports fail. Good fix.

Also applies to: 626-628

.github/copilot-instructions.md (2)

34-36: Clarify how to re-enable symlink resolution.
Since the build hard-sets resolve.symlinks: false, add the env knob name or steps to toggle it during local linked-package development.

Would you like me to add a WEBPACK_SYMLINKS=1 toggle in build.mjs and mirror that here?


35-35: Good: CSP-safe note about external source maps in dev.
Matches the build behavior and avoids inline map CSP pitfalls.

@PeterDaveHello
Copy link
Member Author

/gemini review

@PeterDaveHello
Copy link
Member Author

@codex review

Copy link

Copilot AI left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Pull Request Overview

This PR refactors the build pipeline to significantly improve performance while preserving output reliability. The main focus is switching from Terser to esbuild for minification, adding configurable parallelization, and implementing advanced caching strategies.

  • Replace JS/CSS minifiers with esbuild for faster builds (~58% reduction in build times)
  • Add configurable thread-loader parallelism and production variant parallel builds
  • Implement advanced Webpack caching with compression control and better cache invalidation

Reviewed Changes

Copilot reviewed 4 out of 5 changed files in this pull request and generated 4 comments.

File Description
build.mjs Major build system overhaul with esbuild integration, threading controls, and improved build orchestration
package.json Updated dependencies to support new build tools (esbuild, sass-embedded, thread-loader)
pre-release-build.yml Added npm and Webpack filesystem caching to accelerate CI builds
copilot-instructions.md Documented new build performance environment variables and configuration options

build.mjs Outdated
Comment on lines 18 to 29
function parseBooleanEnv(val) {
if (val == null) return false
const s = String(val).trim().toLowerCase()
return !(s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off')
}
function isDisabledEnv(val) {
if (val == null) return false
const s = String(val).trim().toLowerCase()
return s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off'
}
// Default: parallel build ON unless explicitly disabled
const parallelBuild = !isDisabledEnv(process.env.BUILD_PARALLEL)
Copy link

Copilot AI Sep 9, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

These two functions have duplicated logic for parsing string values to boolean. Consider consolidating them into a single function that takes a parameter for the default value or returns a tri-state (true/false/default).

Suggested change
function parseBooleanEnv(val) {
if (val == null) return false
const s = String(val).trim().toLowerCase()
return !(s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off')
}
function isDisabledEnv(val) {
if (val == null) return false
const s = String(val).trim().toLowerCase()
return s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off'
}
// Default: parallel build ON unless explicitly disabled
const parallelBuild = !isDisabledEnv(process.env.BUILD_PARALLEL)
function parseBooleanEnv(val, defaultValue = false) {
if (val == null) return defaultValue
const s = String(val).trim().toLowerCase()
if (s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off') return false
return true
}
// Default: parallel build ON unless explicitly disabled
const parallelBuild = parseBooleanEnv(process.env.BUILD_PARALLEL, true)

Copilot uses AI. Check for mistakes.
Comment on lines +48 to +66
function parseThreadWorkerCount(envValue, cpuCount) {
const maxWorkers = Math.max(1, cpuCount)
if (envValue !== undefined && envValue !== null) {
const raw = parseInt(envValue, 10)
if (Number.isInteger(raw) && raw > 0) {
if (raw > maxWorkers) {
console.warn(
`[build] BUILD_THREAD_WORKERS=${raw} exceeds CPU count (${cpuCount}); capping to ${maxWorkers}`,
)
}
return Math.min(raw, maxWorkers)
}
console.warn(
`[build] Invalid BUILD_THREAD_WORKERS="${envValue}", defaulting to CPU count (${cpuCount})`,
)
}
return maxWorkers
}
const threadWorkers = parseThreadWorkerCount(process.env.BUILD_THREAD_WORKERS, cpuCount)
Copy link

Copilot AI Sep 9, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The function name suggests it only parses the worker count, but it also validates against CPU count and applies capping logic. Consider renaming to validateAndCapWorkerCount or splitting into separate parsing and validation functions for better separation of concerns.

Suggested change
function parseThreadWorkerCount(envValue, cpuCount) {
const maxWorkers = Math.max(1, cpuCount)
if (envValue !== undefined && envValue !== null) {
const raw = parseInt(envValue, 10)
if (Number.isInteger(raw) && raw > 0) {
if (raw > maxWorkers) {
console.warn(
`[build] BUILD_THREAD_WORKERS=${raw} exceeds CPU count (${cpuCount}); capping to ${maxWorkers}`,
)
}
return Math.min(raw, maxWorkers)
}
console.warn(
`[build] Invalid BUILD_THREAD_WORKERS="${envValue}", defaulting to CPU count (${cpuCount})`,
)
}
return maxWorkers
}
const threadWorkers = parseThreadWorkerCount(process.env.BUILD_THREAD_WORKERS, cpuCount)
function parseWorkerCount(envValue) {
if (envValue !== undefined && envValue !== null) {
const raw = parseInt(envValue, 10)
if (Number.isInteger(raw) && raw > 0) {
return raw
}
}
return undefined
}
function validateAndCapWorkerCount(workerCount, cpuCount) {
const maxWorkers = Math.max(1, cpuCount)
if (workerCount !== undefined) {
if (workerCount > maxWorkers) {
console.warn(
`[build] BUILD_THREAD_WORKERS=${workerCount} exceeds CPU count (${cpuCount}); capping to ${maxWorkers}`,
)
return maxWorkers
}
return workerCount
}
return maxWorkers
}
const rawWorkerCount = parseWorkerCount(process.env.BUILD_THREAD_WORKERS)
const threadWorkers = validateAndCapWorkerCount(rawWorkerCount, cpuCount)

Copilot uses AI. Check for mistakes.
build.mjs Outdated
Comment on lines 101 to 112
let sassImpl
try {
const mod = await import('sass-embedded')
sassImpl = mod.default || mod
} catch (e1) {
try {
const mod = await import('sass')
sassImpl = mod.default || mod
} catch (e2) {
throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")
}
}
Copy link

Copilot AI Sep 9, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The Sass implementation is being resolved inside the runWebpack function, which gets called for each build variant. Consider moving this resolution to module level or caching the result to avoid repeated dynamic imports.

Copilot uses AI. Check for mistakes.
Comment on lines +214 to +215
// Disable symlink resolution for consistent behavior/perf; note this can
// affect `npm link`/pnpm workspaces during local development
Copy link

Copilot AI Sep 9, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

While the comment mentions that disabling symlinks affects npm link/pnpm workspaces, it doesn't provide guidance on how developers should handle this during local development with linked packages. Consider adding a reference to the documentation or suggesting a workaround.

Suggested change
// Disable symlink resolution for consistent behavior/perf; note this can
// affect `npm link`/pnpm workspaces during local development
// Disable symlink resolution for consistent behavior/performance.
// ⚠️ This can break local development with linked packages (e.g. `npm link`, pnpm workspaces).
// If you need to work with linked packages locally, set `symlinks: true` temporarily.
// See: https://webpack.js.org/configuration/resolve/#resolve-symlinks

Copilot uses AI. Check for mistakes.
Copy link

@gemini-code-assist gemini-code-assist bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Code Review

This pull request significantly improves the build pipeline's performance and reliability. The switch to esbuild for minification and the introduction of thread-loader are excellent for speeding up builds. The build script refactoring is very robust, with better error handling, resource management (especially closing webpack compilers), and support for parallel builds. The developer experience is also improved with features like watch-once mode and CSS placeholder generation. My review includes a couple of suggestions to further improve the maintainability and debuggability of the new build script.

build.mjs Outdated
Comment on lines 18 to 27
function parseBooleanEnv(val) {
if (val == null) return false
const s = String(val).trim().toLowerCase()
return !(s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off')
}
function isDisabledEnv(val) {
if (val == null) return false
const s = String(val).trim().toLowerCase()
return s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off'
}

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

medium

The two functions for parsing boolean environment variables, parseBooleanEnv and isDisabledEnv, are very similar and handle null/undefined differently, which can be confusing. parseBooleanEnv defaults to false when the variable is not set, while !isDisabledEnv (which is how isDisabledEnv is always used) defaults to true. This can be unified into a single, more intention-revealing function to improve readability and maintainability.

You could replace both with a single function like this:

function getBooleanEnv(val, defaultValue) {
  if (val == null) {
    return defaultValue;
  }
  const s = String(val).trim().toLowerCase();
  return !(s === '' || s === '0' || s === 'false' || s === 'no' || s === 'off');
}

And then update the call sites accordingly:

  • const parallelBuild = getBooleanEnv(process.env.BUILD_PARALLEL, true)
  • const isWatchOnce = getBooleanEnv(process.env.BUILD_WATCH_ONCE, false)
  • const enableThread = getBooleanEnv(process.env.BUILD_THREAD, true)

build.mjs Outdated
const mod = await import('sass')
sassImpl = mod.default || mod
} catch (e2) {
throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

medium

The error message here is helpful, but it could be even more informative by logging the original errors from the import() calls. This would help diagnose issues if the import fails for reasons other than the package simply not being installed (e.g., permission issues, corrupted files).

      console.error('[build] Failed to load sass-embedded:', e1.message)
      console.error('[build] Failed to load sass:', e2.message)
      throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 1

🧹 Nitpick comments (5)
build.mjs (5)

32-39: Return false consistently for better API uniformity.

The function returns undefined for null values but false for invalid ones, creating inconsistency. This requires callers to use ?? false.

 function parseCacheCompressionOption(envVal) {
-  if (envVal == null) return undefined
+  if (envVal == null) return false
   const v = String(envVal).trim().toLowerCase()
   if (v === '' || v === '0' || v === 'false' || v === 'none') return false
   if (v === 'gzip' || v === 'brotli') return v
   console.warn(`[build] Unknown BUILD_CACHE_COMPRESSION="${envVal}", defaulting to no compression`)
   return false
 }

101-112: Sass implementation fallback works, but could be cleaner.

The nested try-catch blocks handle fallback from sass-embedded to sass. Consider extracting to a helper or using a loop for cleaner code.

-  let sassImpl
-  try {
-    const mod = await import('sass-embedded')
-    sassImpl = mod.default || mod
-  } catch (e1) {
-    try {
-      const mod = await import('sass')
-      sassImpl = mod.default || mod
-    } catch (e2) {
-      throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")
-    }
-  }
+  async function loadSassImplementation() {
+    for (const moduleName of ['sass-embedded', 'sass']) {
+      try {
+        const mod = await import(moduleName)
+        return mod.default || mod
+      } catch (_) {
+        // continue to next module
+      }
+    }
+    throw new Error("No Sass implementation available. Install 'sass-embedded' or 'sass'.")
+  }
+  const sassImpl = await loadSassImplementation()

214-216: Document symlink resolution impact on development workflows.

Disabling symlinks can break npm link and pnpm workspaces. The comment mentions this but doesn't provide workarounds.

     resolve: {
       extensions: ['.jsx', '.mjs', '.js'],
       // Disable symlink resolution for consistent behavior/perf; note this can
-      // affect `npm link`/pnpm workspaces during local development
+      // affect `npm link`/pnpm workspaces during local development.
+      // To work with linked packages, temporarily set symlinks: true or
+      // use BUILD_SYMLINKS=1 environment variable (if implemented).
       symlinks: false,

594-602: Consider using an options object for better readability.

The boolean parameters (true, true, true, tmpMin, ...) are hard to understand without context. Consider using named options.

-  createWebpackBuildPromise(true, true, true, tmpMin, '-without-katex-and-tiktoken'),
-  createWebpackBuildPromise(false, false, false, tmpFull, ''),
+  createWebpackBuildPromise(
+    { withoutKatex: true, withoutTiktoken: true, minimal: true },
+    tmpMin,
+    '-without-katex-and-tiktoken'
+  ),
+  createWebpackBuildPromise(
+    { withoutKatex: false, withoutTiktoken: false, minimal: false },
+    tmpFull,
+    ''
+  ),

Note: This would require updating the function signature to accept an options object.


148-148: Use inline source maps in development (build.mjs:148). Chrome extensions only support inline .map by default; external source-map files won’t load unless you explicitly expose them via web_accessible_resources in manifest.json (stackoverflow.com). Change this line:

- devtool: isProduction ? false : 'cheap-module-source-map',
+ devtool: isProduction ? false : 'inline-cheap-module-source-map',
📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between 3a3ff77 and 5663e3c.

📒 Files selected for processing (1)
  • build.mjs (11 hunks)
🧰 Additional context used
🧠 Learnings (1)
📚 Learning: 2025-09-06T17:46:04.281Z
Learnt from: PeterDaveHello
PR: ChatGPTBox-dev/chatGPTBox#886
File: build.mjs:167-175
Timestamp: 2025-09-06T17:46:04.281Z
Learning: For the ChatGPTBox browser extension project, license preservation concerns about third-party dependencies may not be applicable according to the maintainer PeterDaveHello, who indicated this is the "wrong scope" for the project.

Applied to files:

  • build.mjs
🔇 Additional comments (7)
build.mjs (7)

18-27: LGTM! Good extraction of boolean parsing utilities.

The parseBooleanEnv and isDisabledEnv functions properly handle common boolean representations including null, empty strings, and various "falsy" keywords. Nice defensive programming.


386-430: Production and watch mode handling looks solid.

Good error handling with proper compiler cleanup in production mode and graceful watch-once exit handling. The Promise normalization for callback (line 414) prevents sync throws from bypassing cleanup.


433-471: LGTM! Robust zip creation with proper error handling.

The zipFolder function has good error handling with the settled flag preventing double resolution. The warning handler for non-fatal issues is a nice touch.


474-497: Good defensive handling of missing CSS in development.

The function properly handles missing CSS files in development by logging and continuing, while failing hard in production for missing artifacts.


500-512: Smart placeholder generation for development CSS.

Creating placeholder CSS and source map files prevents 404 noise in dev tools. This is a thoughtful developer experience improvement.


565-589: Well-structured build promise wrapper.

The createWebpackBuildPromise helper properly handles both webpack errors and post-build failures, with good async error catching for early setup failures.


637-640: Proper top-level error handling ensures build failures are visible.

Good practice to catch and log errors at the top level with proper exit code.

Comment on lines +168 to 176
// Use esbuild for JS minification (faster than Terser)
new EsbuildPlugin({
target: 'es2017',
legalComments: 'none',
}),
// Use esbuild-based CSS minify via css-minimizer plugin
new CssMinimizerPlugin({
minify: CssMinimizerPlugin.esbuildMinify,
}),
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

⚠️ Potential issue

License stripping may violate third-party obligations.

Setting legalComments: 'none' removes all license banners from dependencies. Many open source licenses require preservation of copyright notices.

Per the previous discussion where this was deemed "wrong scope", I understand license preservation may not apply to this project's distribution model. However, it's worth documenting why license stripping is acceptable here.

🤖 Prompt for AI Agents
In build.mjs around lines 168 to 176, the EsbuildPlugin option legalComments:
'none' strips all third‑party license banners; update the codebase and docs to
justify or change this: either set legalComments to a preserving mode (e.g.,
'linked' or 'inline') if you must preserve notices, or keep 'none' but add a
short documented rationale in the repository (e.g., in README or a new
LICENSES.md) that explains the project's distribution model, the dependency
audit performed, confirmation that no bundled licenses require preservation, and
where to find the list of third‑party licenses; also add a CI check or note to
re-run the dependency/license audit if packaging/distribution changes.

@chatgpt-codex-connector
Copy link

Codex Review: Didn't find any major issues. 🎉

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

Replace JS/CSS minifiers with esbuild to significantly reduce build
times while preserving outputs. Enable thread‑loader by default in dev
and prod with dynamically chosen workers. Keep filesystem cache enabled
and make compression configurable (favoring uncompressed for faster warm
builds on CPU‑bound machines). Scope the Webpack cache version to
output‑affecting dimensions for cross‑machine/CI reuse. Add
BUILD_PARALLEL to switch between parallel and sequential production
builds. Also enable dependency caching in GitHub Actions to speed up CI
runs.

Improve development behavior and outputs: keep watch mode alive on
initial compilation errors with deterministic exits via
BUILD_WATCH_ONCE, use style‑loader for faster CSS in dev, emit CSP‑safe
external source maps and copy them in dev to avoid 404s, and reduce
noisy CSS 404s by skipping only missing assets. Harden related env
parsing and consolidate logic to reduce duplication and improve
readability.

Packaging reliability: wait for the ZIP write stream to close before
proceeding to ensure archives are fully flushed on fast CI runners. No
breaking changes.

Results from a DO VPS (2 cores, ~4 GiB RAM):
- Production first run (cold): ~44s (baseline ~105s)
- Production second run (warm): ~19s (baseline ~39s)
- Development first run: ~31s; second run: ~29s

Times vary by environment.
@PeterDaveHello
Copy link
Member Author

@codex review

@PeterDaveHello
Copy link
Member Author

/gemini review

Copy link

Copilot AI left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Pull Request Overview

Copilot reviewed 4 out of 5 changed files in this pull request and generated 1 comment.


Tip: Customize your code reviews with copilot-instructions.md. Create the file or learn how to get started.

Comment on lines +261 to 262
['@babel/plugin-transform-runtime'],
[
Copy link

Copilot AI Sep 13, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

The @babel/plugin-transform-runtime plugin is configured without options, but the @babel/runtime dependency was added to package.json. Either the plugin should include runtime configuration options to utilize the dependency, or the dependency should be removed if not needed.

Suggested change
['@babel/plugin-transform-runtime'],
[
[
'@babel/plugin-transform-runtime',
{
corejs: false,
helpers: true,
regenerator: true,
useESModules: true,
},
],
[

Copilot uses AI. Check for mistakes.
Copy link

@gemini-code-assist gemini-code-assist bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Code Review

This pull request introduces a significant and well-executed refactoring of the build system, focusing on performance and developer experience. Key improvements include switching to esbuild for faster minification, enabling parallel builds with thread-loader, and adopting sass-embedded. The build scripts are now more robust, with improved error handling and promise-based control flow. The changes are of high quality. I have a couple of suggestions to further enhance maintainability and readability in the build script.

Comment on lines +396 to +405
try {
const ret = callback(err, stats)
if (ret && typeof ret.then === 'function') {
ret.then(finishClose, finishClose)
} else {
finishClose()
}
} catch (_) {
finishClose()
}

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

medium

This block for handling the webpack callback and ensuring the compiler is closed can be simplified by using Promise.resolve() with a .finally() block. This modern approach makes the intent clearer and reduces nesting.

        Promise.resolve().then(() => callback(err, stats)).finally(finishClose)

Comment on lines +500 to +512
async function ensureDevCssPlaceholders(targetDir) {
if (isProduction) return
const cssFiles = [path.join(targetDir, 'popup.css'), path.join(targetDir, 'content-script.css')]
for (const cssPath of cssFiles) {
if (!(await fs.pathExists(cssPath))) {
await fs.outputFile(cssPath, '/* dev placeholder */\n')
}
const mapPath = `${cssPath}.map`
if (!(await fs.pathExists(mapPath))) {
await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
}
}
}

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

medium

The ensureDevCssPlaceholders function hardcodes the CSS filenames popup.css and content-script.css. This could lead to maintenance issues if new CSS entry points are added in the future, as this list would need to be manually updated. To make this more robust, consider deriving the list of CSS files dynamically from the build configuration or the finishOutput file lists.

@chatgpt-codex-connector
Copy link

Codex Review: Didn't find any major issues. More of your lovely PRs please.

About Codex in GitHub

Your team has set up Codex to review pull requests in this repo. Reviews are triggered when you open a pull request for review, mark a draft as ready, or comment "@codex review". If Codex has suggestions, it will comment; otherwise it will react with 👍.

Codex can also answer questions or update the PR. Try commenting "@codex fix this CI failure" or "@codex address that feedback".

- Replace parseBooleanEnv/isDisabledEnv with getBooleanEnv to unify
  boolean env handling while preserving per-flag defaults
- Resolve and cache Sass implementation once per process to avoid
  repeated dynamic imports across build variants

These changes address review suggestions r2331670931 and r2331670979
and keep behavior stable with minimal diff
Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Actionable comments posted: 2

♻️ Duplicate comments (8)
build.mjs (8)

36-42: Minor: tighten CPU detection

os.cpus() always returns an array in Node; the extra guards are redundant.

-try {
-  // os.cpus() returns an array in Node.js; guard with try/catch for portability
-  cpuCount = Math.max(1, os.cpus().length || 1)
-} catch {
-  cpuCount = 1
-}
+try {
+  cpuCount = Math.max(1, os.cpus().length || 1)
+} catch {
+  cpuCount = 1
+}

150-156: Dev external source maps + explicit copying: good alignment for extension CSP

Switching to external maps in dev and copying .js.map files into the unpacked outputs addresses prior 404/CSP pain points. Nice.

Also applies to: 539-548, 557-557, 566-566


175-183: Esbuild/CSS minimizers configured; license banners intentionally stripped

Acknowledging previous discussion: keeping legalComments: 'none' is acceptable per maintainer context for this project. No action.


221-223: Make resolve.symlinks configurable for local linked workflows

Default false is fine; expose an env escape hatch to smooth npm link/pnpm workspace dev.

-      // Disable symlink resolution for consistent behavior/perf; note this can
-      // affect `npm link`/pnpm workspaces during local development
-      symlinks: false,
+      // Disable symlink resolution for consistent behavior/perf.
+      // Allow override for `npm link`/pnpm workspaces via WEBPACK_SYMLINKS=1.
+      symlinks: getBooleanEnv(process.env.WEBPACK_SYMLINKS, false),

264-269: Consider explicit transform-runtime options and verify dependency

If you rely on regenerator/helpers, configure the plugin explicitly and ensure @babel/runtime is present.

-                plugins: [
-                  ['@babel/plugin-transform-runtime'],
+                plugins: [
+                  ['@babel/plugin-transform-runtime', {
+                    helpers: true,
+                    regenerator: true,
+                    useESModules: true
+                  }],

Please confirm @babel/runtime is listed in dependencies (not only devDependencies).


284-294: Production uses MCEP; dev uses style-loader — correct split

Passing the resolved sassImpl to sass-loader fixes the earlier “compile not found” issue.

Also applies to: 300-316


440-479: Zip promise can be simplified

You can rely on the stream promise pattern and resolve on finish with error handlers; the manual settled flag isn’t strictly necessary. Functional as-is.


481-501: Copy error handling is strict (good); use extname for CSS detection

Use path.extname to avoid relying on string conversion.

-        const isCss = String(entryPoint.dst).endsWith('.css')
+        const isCss = path.extname(entryPoint.dst) === '.css'
🧹 Nitpick comments (3)
build.mjs (3)

27-35: Simplify cache-compression parsing and call site

Return a consistent boolean/string from the parser and drop the ?? false at the call site to reduce cognitive overhead.

 function parseCacheCompressionOption(envVal) {
-  if (envVal == null) return undefined
+  if (envVal == null) return false
   const v = String(envVal).trim().toLowerCase()
   if (v === '' || v === '0' || v === 'false' || v === 'none') return false
   if (v === 'gzip' || v === 'brotli') return v
   console.warn(`[build] Unknown BUILD_CACHE_COMPRESSION="${envVal}", defaulting to no compression`)
   return false
 }
-const cacheCompressionOption = parseCacheCompressionOption(process.env.BUILD_CACHE_COMPRESSION)
+const cacheCompressionOption = parseCacheCompressionOption(process.env.BUILD_CACHE_COMPRESSION)

And in webpack cache config:

-      compression: cacheCompressionOption ?? false,
+      compression: cacheCompressionOption,

Also applies to: 163-164


43-61: Thread worker validation reads well; cap warning is helpful

The function clearly enforces bounds and logs caps—nice. Consider renaming to validateAndCapWorkerCount for intent clarity.
Would you like me to factor unit tests for this helper (NaN/negative/over-cap cases)?


150-156: Minor: __dirname is CWD, not file dir — verify assumption

__dirname is set to path.resolve() (CWD). If this script ever runs from outside repo root, output.path and resolve.alias paths will skew. Consider ESM-safe dirname.

-import path from 'path'
+import path from 'path'
+import { fileURLToPath } from 'url'
 ...
-const __dirname = path.resolve()
+const __dirname = path.dirname(fileURLToPath(import.meta.url))

Also applies to: 152-152

📜 Review details

Configuration used: CodeRabbit UI

Review profile: CHILL

Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between ac0ecee and ceea9d5.

📒 Files selected for processing (1)
  • build.mjs (11 hunks)
🧰 Additional context used
📓 Path-based instructions (1)
**/*.{js,jsx,mjs}

📄 CodeRabbit inference engine (AGENTS.md)

Follow ESLint React/JSX standards defined in .eslintrc.json (run npm run lint)

Files:

  • build.mjs
🧠 Learnings (1)
📚 Learning: 2025-09-06T17:46:04.304Z
Learnt from: PeterDaveHello
PR: ChatGPTBox-dev/chatGPTBox#886
File: build.mjs:167-175
Timestamp: 2025-09-06T17:46:04.304Z
Learning: For the ChatGPTBox browser extension project, license preservation concerns about third-party dependencies may not be applicable according to the maintainer PeterDaveHello, who indicated this is the "wrong scope" for the project.

Applied to files:

  • build.mjs
🔇 Additional comments (8)
build.mjs (8)

17-26: Solid boolean env parsing; good defaults

getBooleanEnv handles common falsy strings and lets you set sane defaults. Usage for BUILD_PARALLEL/BUILD_WATCH_ONCE is clear.


62-73: Pool timeout configurability looks good

Magic number is now documented and overridable via BUILD_POOL_TIMEOUT—nice.


77-98: Caching Sass implementation per-process is the right call

Avoids repeated dynamic imports across variants; fallback logs are informative.


121-130: Variant/caching ID: stable and cross‑platform friendly

Using __ and including dirKey/flags should prevent collisions and Windows path issues. LGTM.


245-261: Thread-loader gating and pool lifetimes look sane

Workers capped to CPU count; 0 for watch-once and Infinity for dev watch is a good balance.


521-549: Finish step now includes dev .map assets — nice

This should eliminate DevTools 404s in dev unpacked builds.


572-596: Promise wrapper correctly propagates both webpack and packaging failures

Catching early runWebpack rejections and rejecting on finishOutput errors prevents hangs.


617-641: Dev watch: stays alive on initial errors; watch-once exits appropriately

Good UX improvement; early setup failures are also propagated.

Comment on lines +506 to +520
// In development, create placeholder CSS and sourcemap files to avoid 404 noise
async function ensureDevCssPlaceholders(targetDir) {
if (isProduction) return
const cssFiles = [path.join(targetDir, 'popup.css'), path.join(targetDir, 'content-script.css')]
for (const cssPath of cssFiles) {
if (!(await fs.pathExists(cssPath))) {
await fs.outputFile(cssPath, '/* dev placeholder */\n')
}
const mapPath = `${cssPath}.map`
if (!(await fs.pathExists(mapPath))) {
await fs.outputFile(mapPath, '{"version":3,"sources":[],"mappings":"","names":[]}')
}
}
}

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

🛠️ Refactor suggestion

Derive placeholder CSS list from entries to avoid drift

Hardcoding popup.css and content-script.css risks missing future CSS entries. Consider deriving from finishOutput’s file list or the webpack stats.

If you want, I can wire this to read stats.toJson({ assets: true }) and create placeholders for any missing *.css in dev.

🤖 Prompt for AI Agents
In build.mjs around lines 506 to 520, the function ensureDevCssPlaceholders
currently hardcodes popup.css and content-script.css which can drift as build
entries change; update it to derive the list of expected CSS files from the
build output instead — either accept finishOutput (or its file list) as an
argument and filter for files ending with .css, or load the webpack stats
(stats.toJson({ assets: true })) and extract asset names that end with .css,
then for each such CSS asset ensure both the .css and .css.map exist (creating
the same placeholder contents if missing). Make the function accept the build
result/stat object or call stats when invoked in dev, filter assets for
/\.css$/, and write placeholders for each matched path instead of using the two
hardcoded filenames.

Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Projects

None yet

Development

Successfully merging this pull request may close these issues.

1 participant