ES Module Shims
90% of users are now running browsers with baseline support for ES modules.
But modules features like Import Maps will take a while to be supported in browsers.
It turns out that we can actually polyfill new modules features on top of these baseline implementations in a performant 7KB shim.
This includes support for:
- Import Maps support.
import.meta
andimport.meta.url
.- Dynamic
import()
shimming when necessary in eg older Firefox versions.
In addition a custom fetch hook can be implemented allowing for streaming in-browser transform workflows to support custom module types.
Because we are still using the native module loader the edge cases work out comprehensively, including:
- Live bindings in ES modules
- Dynamic import expressions (
import('src/' + varname')
) - Circular references, with the execption that live bindings are disabled for the first unexecuted circular parent.
Due to the use of a tiny Web Assembly JS tokenizer for ES module syntax only, with very simple rewriting rules, transformation is very fast, although in complex cases of hundreds of modules it can be a few hundred milliseconds slower than using SystemJS or native ES modules. See the SystemJS performance comparison for a full performance breakdown in a complex loading scenario.
Usage
Include ES Module Shims with a defer
attribute or as a module itself.
For example, from CDN:
<!-- UNPKG -->
<script type="module" src="https://unpkg.com/es-module-shims@0.10.0/dist/es-module-shims.js"></script>
<!-- JSPM.IO -->
<script type="module" src="https://ga.jspm.io/npm:es-module-shims@0.10.0/dist/es-module-shims.js"></script>
Then there are two ways to use ES Module Shims:
Polyfill Mode
Just write your HTML modules like you would in the latest Chrome:
<script type="importmap">
{
"imports": {
"x": "./x.js"
}
}
</script>
<script type="module">
import 'x';
</script>
and ES Module Shims will make it work in all browsers with any ES Module Support.
Note that you will typically see a console error like:
Uncaught TypeError: Failed to resolve module specifier "x". Relative references must start with either "/", "./", or "../".
at <anonymous>:1:15
This is because the polyfill cannot disable the native loader - instead it will only execute modules that are known to fail while avoiding duplicate fetches or executions.
Shim Mode
Shim mode is triggered by the existence of any <script type="importmap-shim">
or <script type="module-shim">
, or when explicitly
setting the shimMode
init option.
In shim mode, normal module scripts and import maps are entirely ignored and only the above shim tags will be parsed and executed by ES Module Shims instead.
This can useful in some polyfill mode edge cases where it's not clear whether or not a given module will execute in the native browser loader or not.
Browser Support
Works in all browsers with baseline ES module support.
Browser Compatibility with ES Module Shims:
ES Modules Features | Chrome (61+) | Firefox (60+) | Safari (10.1+) | Edge (16+) |
---|---|---|---|---|
Executes Modules in Correct Order | ||||
Dynamic Import | ||||
import.meta.url | ||||
import.meta.resolve | ||||
Module Workers | ||||
Import Maps |
- 1: The Edge parallel execution ordering bug is corrected by ES Module Shims with an execution chain inlining approach.
- 2: Module worker support cannot be implemented without dynamic import support in web workers.
Current browser compatibility of modules features without ES module shims:
ES Modules Features | Chrome (61+) | Firefox (60+) | Safari (10.1+) | Edge (16+) |
---|---|---|---|---|
Executes Modules in Correct Order | ||||
Dynamic Import | ||||
import.meta.url | ||||
import.meta.resolve | ||||
Module Workers | ||||
Import Maps |
- 1: Edge executes parallel dependencies in non-deterministic order. (ChakraCore bug).
- ~: Indicates the exact first version support has not yet been determined (PR's welcome!).
❕ 1: On module redirects, Safari returns the request URL inimport.meta.url
instead of the response URL as per the spec.
Import Maps
Import maps allow for importing "bare specifiers" in JavaScript modules, which prior to import maps throw in all browsers with native modules support.
Using this polyfill we can write:
<script type="importmap-shim">
{
"imports": {
"test": "/test.js"
},
"scopes": {
"/": {
"test-dep": "/test-dep.js"
}
}
}
</script>
<script type="module-shim">
import test from "test";
console.log(test);
</script>
All modules are still loaded with the native browser module loader, but with their specifiers rewritten then executed as Blob URLs, so there is a relatively minimal overhead to using a polyfill approach like this.
Dynamic Import
Stability: Stable browser standard
Dynamic import(...)
within any modules loaded will be rewritten as importShim(...)
automatically
providing full support for all es-module-shims features through dynamic import.
To load code dynamically (say from the browser console), importShim
can be called similarly:
importShim('/path/to/module.js').then(x => console.log(x));
import.meta.url
Stability: Stable browser standard
import.meta.url
provides the full URL of the current module within the context of the module execution.
Resolve
Stability: No current browser standard
import.meta.resolve
provides a contextual resolver within modules. It is asynchronous, like the Node.js implementation, to support waiting on any in-flight
import map loads when import maps are loaded dynamically.
The second argument to import.meta.resolve
permits a custom parent URL scope for the resolution, which defaults to import.meta.url
.
// resolve a relative path to a module
var resolvedUrl = await import.meta.resolve('./relative.js');
// resolve a dependency from a module
var resolvedUrl = await import.meta.resolve('dep');
// resolve a path
var resolvedUrlPath = await import.meta.resolve('dep/');
// resolve with a custom parent scope
var resolvedUrl = await import.meta.resolve('dep', 'https://site.com/another/scope');
This implementation is as provided experimentally in Node.js - https://nodejs.org/dist/latest-v14.x/docs/api/esm.html#esm_no_require_resolve.
Dynamic Import Map Updates
Support is provided for dynamic import map updates via Mutation Observers.
This allows extending the import map via:
document.body.appendChild(Object.assign(document.createElement('script'), {
type: 'importmap',
innerHTML: JSON.stringify({ imports: { x: './y.js' } })
}));
Dynamic import map extensions after the first module load are not supported by the native module loader so ES Module Shims will carefully polyfill these map cases specifically.
This follows the dynamic import map specification approach outlined in import map extensions.
Polyfill Edge Cases
In polyfill mode, feature detections are performed for ES modules features. In browsers will full feature support no further processing is done.
In browsers lacking full feature support, all sources are analyzed using the fast Wasm-based lexer. Only those sources known by the analysis to require syntax features not supported natively in the current browser will then be re-executed, with the rest shared with the native loader directly.
For the most part this will work without issue, including avoiding refetching, ensuring exact instance sharing between the native loader and shims and avoiding duplicate reexecution in the majority of cases.
There are still some edge cases where this analysis decision gets tricky and can result in duplicate execution / module instances though, specifically when dealing with import maps and dynamic imports.
Consider the following example:
<script type="module">
console.log('Executing');
const dynamic = 'bare-specifier';
import(dynamic).then(x => {
console.log('Ok');
}, err => {
console.log('Fail');
});
</script>
The native browser loader will execute the above module fine, but fail on the lazy dynamic import.
ES Module Shims will still automatically polyfill the module because it can see that it the dynamic import might need import map support.
As a result, in polyfill mode we get the console output:
Executing
Executing
Fail
Ok
The double execution being a result of the polyfill approach for this edge case.
To avoid double execution in cases like this, adding the "noshim"
attribute to the script tag will
ensure that ES Module Shims skips processing this script entirely:
<script type="module" noshim>
// ...
</script>
Alternatively shim mode can be used instead.
Init Options
Provide a esmsInitOptions
on the global scope before es-module-shims
is loaded to configure various aspects of the module loading process:
<script>
globalThis.esmsInitOptions = {
fetch: (url => fetch(url)),
skip: /^https?:\/\/(cdn\.pika\.dev|dev\.jspm\.io|jspm\.dev)\//,
onerror: ((e) => { throw e; }),
}
</script>
<script defer src="es-module-shims.js"></script>
See below for a detailed description of each of these options.
Shim Mode Option
Shim Mode can be overridden using the shimMode
option:
<script>
globalThis.esmsInitOptions = {
shimMode: true
}
</script>
For example, if lazy loading <script type="module-shim">
scripts shim mode would not be enabled by default,
or if wanting to disable shim mode and have "module-shim"
and "module"
tags both load in an application together.
Skip Processing
When loading modules that you know will only use baseline modules features, it is possible to set a rule to explicitly opt-out modules from rewriting. This improves performance because those modules then do not need to be processed or transformed at all, so that only local application code is handled and not library code.
This can be configured by providing a URL regular expression for the skip
option:
<script>
globalThis.esmsInitOptions = {
skip: /^https:\/\/cdn\.com/ // defaults to `/^https?:\/\/(cdn\.skypack\.dev|jspm\.dev)\//`
}
</script>
<script defer src="es-module-shims.js"></script>
By default, this expression supports jspm.dev
, dev.jspm.io
and cdn.pika.dev
.
Error hook
You can provide a function to handle errors during the module loading process by providing a onerror
option:
<script>
globalThis.esmsInitOptions = {
onerror: error => console.log(error) // defaults to `((e) => { throw e; })`
}
</script>
<script defer src="es-module-shims.js"></script>
Fetch Hook
This is provided as a convenience feature since the pipeline handles the same data URL rewriting and circular handling of the module graph that applies when trying to implement any module transform system.
When using the fetch hook, shim mode is enabled by default.
The ES Module Shims fetch hook can be used to implement transform plugins.
For example:
<script>
globalThis.esmsInitOptions = {
fetch: async function (url) {
const response = await fetch(url);
if (response.url.endsWith('.ts')) {
const source = await response.body();
const transformed = tsCompile(source);
return new Response(new Blob([transformed], { type: 'application/javascript' }));
}
return response;
} // defaults to `(url => fetch(url))`
}
</script>
<script defer src="es-module-shims.js"></script>
Because the dependency analysis applies by ES Module Shims takes care of ensuring all dependencies run through the same fetch hook, the above is all that is needed to implement custom plugins.
Streaming support is also provided, for example here is a hook with streaming support for JSON:
globalThis.esmsInitOptions = {
fetch: async function (url) {
const response = await fetch(url);
if (!response.ok)
throw new Error(`${response.status} ${response.statusText} ${response.url}`);
const contentType = response.headers.get('content-type');
if (!/^application\/json($|;)/.test(contentType))
return response;
const reader = response.body.getReader();
return new Response(new ReadableStream({
async start (controller) {
let done, value;
controller.enqueue(new Uint8Array([...'export default '].map(c => c.charCodeAt(0))));
while (({ done, value } = await reader.read()) && !done) {
controller.enqueue(value);
}
controller.close();
}
}), {
status: 200,
headers: {
"Content-Type": "application/javascript"
}
});
}
}
Plugins
Since the Fetch Hook is very new, there are no plugin examples of it yet, but it should be easy to support various workflows such as TypeScript and new JS features this way.
If you work on something here (or even just wrap the examples above into a separate project) please do share to link to from here!
Implementation Details
Import Rewriting
- Sources are fetched, import specifiers are rewritten to reference exact URLs, and then executed as BlobURLs through the whole module graph.
- CSP is not supported as we're using fetch and modular evaluation.
- The lexer handles the full language grammar including nested template strings, comments, regexes and division operator ambiguity based on backtracking.
- When executing a circular reference A -> B -> A, a shell module technique is used to "shim" the circular reference into an acyclic graph. As a result, live bindings for the circular parent A are not supported, and instead the bindings are captured immediately after the execution of A.
Inspiration
Huge thanks to Rich Harris for inspiring this approach with Shimport.
License
MIT