Understanding the Problem
Dynamic Imports and External Dependencies Failing at Runtime
In sophisticated applications, especially libraries published as packages, Rollup may output builds that reference dynamic imports or external packages incorrectly. This manifests in errors like "Cannot find module" or blank screen issues in applications consuming these builds.
Error: Uncaught (in promise) TypeError: Failed to fetch dynamically imported module at runtimeModuleLoader (dist/index.js:99)
These problems often stem from incorrect configuration of the external
, output.dynamicImportFunction
, or plugin settings within Rollup's config file.
Architectural Context
How Rollup Works with Modern Module Systems
Rollup builds JavaScript applications using a graph of ES modules, statically analyzing dependencies to remove unused code (tree-shaking) and bundle outputs in formats like ESM, CJS, UMD, or SystemJS. Rollup expects to resolve all modules at build time unless marked as external
.
Challenges in Enterprise Setups
- Multi-package monorepos (e.g., with Lerna or Nx) complicate dependency resolution across packages.
- Dynamic imports in libraries must be handled differently than in apps, as consumers may need to resolve them.
- Plugins like
node-resolve
,commonjs
, orbabel
may misbehave depending on resolution order.
Diagnosing the Issue
1. Audit Rollup Config File
Check if external dependencies are correctly marked. Any package listed in dependencies
(not devDependencies
) should usually be marked as external
in library builds.
external: ["react", "react-dom", "lodash"]
Failure to do this can lead to React or other packages being bundled, causing version mismatches.
2. Review Dynamic Import Behavior
Rollup supports dynamic import()
, but requires proper configuration when output format is not ESM. Ensure you're setting output.inlineDynamicImports
or output.dynamicImportFunction
correctly.
output: { format: "esm", dir: "dist", preserveModules: true, entryFileNames: "[name].js" }
3. Inspect Plugin Order
Plugin execution order matters. Misordered plugins (e.g., placing babel
before commonjs
) can prevent proper transformation of dependencies.
plugins: [ resolve(), commonjs(), babel({ babelHelpers: "bundled" }) ]
4. Validate File Paths and Imports
Incorrect import paths (especially in dynamic imports) may go unnoticed during build but fail at runtime.
// Avoid relative dynamic imports import(`./pages/${page}.js`) // May fail if not preserved correctly
5. Use Rollup's --watch and Verbose Logging
When debugging build issues, run with rollup -c --watch --verbose
to observe module resolution and warnings in real time.
Common Pitfalls and Root Causes
1. Incorrect External Dependency Handling
If a library inadvertently includes external packages, it bloats the bundle and may break consuming apps with duplicate React or Vue versions.
2. Dynamic Imports in CommonJS Builds
Rollup does not fully support dynamic imports in CommonJS output. These must be either inlined or transformed using plugins like rollup-plugin-dynamic-import-vars
.
3. Missing PreserveModules for Shared Libraries
Libraries using shared modules across builds should use preserveModules
to maintain file structure. This is critical for tree-shaking in consumers.
4. Unused Plugin Options or Deprecated Plugins
Old or unmaintained plugins (like legacy Babel plugins) may silently fail or be incompatible with recent Node or Rollup versions.
5. Mismatched Output Formats
Generating a bundle as iife
or cjs
but consuming it in an ESM context without interop flags can lead to "unexpected token export" errors.
Step-by-Step Fix
Step 1: Separate App and Library Builds
If you're building both, use different configs. For libraries, avoid bundling externals. For apps, bundle all required modules.
Step 2: Review and Refactor Rollup Config
Ensure clear separation of input, output, and plugin responsibilities. Avoid dynamic constructs unless strictly needed.
export default { input: "src/index.ts", output: [ { format: "esm", dir: "dist/esm" }, { format: "cjs", dir: "dist/cjs" } ], external: ["react"], plugins: [ resolve(), commonjs(), typescript() ] }
Step 3: Convert Dynamic Imports to Static If Possible
Many dynamic imports can be converted to static ones with named entry points for safer bundling.
Step 4: Use PreserveModules for Package Outputs
Maintain individual file outputs with preserveModules
to allow consumers to tree-shake properly.
Step 5: Test with Downstream Consumers
Always test the built output in a separate repo or sample app to ensure it works under common environments (Webpack, Vite, Node).
Best Practices for Rollup in Enterprise Projects
Modularize Config Files
Split large Rollup configs by platform (web, node, esm, cjs) for maintainability. Use shared constants for paths and dependency lists.
Audit External vs. Bundled Dependencies
Automate checks to ensure only intended packages are bundled. Use Rollup's onwarn
to detect unresolved modules.
Use Package Exports in package.json
Modern consumers rely on proper exports
maps. Ensure your library specifies correct paths for each output format.
"exports": { ".": { "import": "./dist/esm/index.js", "require": "./dist/cjs/index.js" } }
Leverage TypeScript for Type Safety
If using TS, ensure tsconfig.json
aligns with Rollup output expectations. Generate declaration files separately if needed.
Pin Plugin Versions and Monitor Updates
Rollup plugins evolve rapidly. Pin versions and validate regularly to prevent regressions caused by breaking changes.
Conclusion
Rollup is a highly efficient bundler, but its flexibility means it can be misconfigured in complex projects. The intersection of plugin order, module formats, dynamic imports, and external declarations introduces nuanced problems that don't surface until runtime. Understanding how Rollup builds and resolves modules is essential when creating libraries or micro frontends. With careful configuration, modular outputs, and consistent testing in downstream consumers, teams can produce robust, production-ready bundles that scale reliably across environments.
FAQs
1. Why does Rollup bundle external dependencies despite marking them as external?
This can happen if the plugin order is incorrect or a plugin like CommonJS forcibly resolves the dependency. Ensure external
is respected before plugins are applied.
2. Can I use dynamic imports in Rollup for libraries?
Yes, but only in ESM format with consumers that support dynamic imports. For CommonJS, these must be transformed or avoided.
3. What does preserveModules do in Rollup?
It maintains the original file structure and allows consumers to import only what they need, improving tree-shaking and modular usage.
4. How do I fix "unexpected token export" in consuming apps?
This typically happens when ESM output is consumed in CJS environments. Ensure dual output formats or proper package.json
exports are provided.
5. How can I verify what's actually included in the Rollup bundle?
Use the rollup-plugin-visualizer
to inspect your final bundle. It provides a treemap of all modules and their sizes.