Skip to content

Commit 6cebcb2

Browse files
committed
module: Add support for fetch-style ESM hooks
1 parent 3cec1a2 commit 6cebcb2

File tree

5 files changed

+218
-1
lines changed

5 files changed

+218
-1
lines changed

lib/internal/modules/esm/loader.js

+73
Original file line numberDiff line numberDiff line change
@@ -62,6 +62,13 @@ class Loader {
6262
this._dynamicInstantiate = undefined;
6363
// The index for assigning unique URLs to anonymous module evaluation
6464
this.evalIndex = 0;
65+
66+
this._fetchListener = undefined;
67+
}
68+
69+
setFetchListener(listener) {
70+
console.log('fetch listener added', listener);
71+
this._fetchListener = listener;
6572
}
6673

6774
async resolve(specifier, parentURL) {
@@ -152,7 +159,73 @@ class Loader {
152159
}
153160
}
154161

162+
async resolveToURLOnly(specifier, parentURL) {
163+
try {
164+
const { url } = await this.resolve(specifier, parentURL);
165+
return url;
166+
} catch (err) {
167+
const UNKNOWN_EXTENSION_PATTERN = /^Unknown file extension "\.(?:[^"]*)" for (.+?) imported from /;
168+
const MODULE_NOT_FOUND_PATTERN = /^Cannot find module (.+?) imported from /;
169+
170+
if (err.code === 'ERR_UNKNOWN_FILE_EXTENSION') {
171+
const m = err.message.match(UNKNOWN_EXTENSION_PATTERN);
172+
if (m) {
173+
return pathToFileURL(m[1]).href;
174+
}
175+
} else if (err.code === 'ERR_MODULE_NOT_FOUND') {
176+
const m = err.message.match(MODULE_NOT_FOUND_PATTERN);
177+
if (m) {
178+
return pathToFileURL(m[1]).href;
179+
}
180+
}
181+
throw err;
182+
}
183+
}
184+
185+
async getModuleJobFromFetch(specifier, parentURL) {
186+
const url = await this.resolveToURLOnly(specifier, parentURL);
187+
let job = this.moduleMap.get(url);
188+
// CommonJS will set functions for lazy job evaluation.
189+
if (typeof job === 'function') {
190+
this.moduleMap.set(url, job = job());
191+
}
192+
if (job !== undefined) {
193+
return job;
194+
}
195+
196+
const request = new Request(url);
197+
const event = new FetchEvent('fetch', { request });
198+
console.log('calling fetch listener', event);
199+
this._fetchListener(event);
200+
201+
const loaderInstance = async (url) => {
202+
const response = await (event.responsePromise || fetch(request));
203+
204+
// TODO: Add last-minute transforms
205+
206+
// TODO: Check for content-type
207+
208+
const source = await response.text();
209+
const createModule = translators.get('module:hack');
210+
return createModule(url, source);
211+
};
212+
213+
// TODO: inspectBrk checks for this
214+
const format = 'module';
215+
const inspectBrk = parentURL === undefined &&
216+
format === 'module' && getOptionValue('--inspect-brk');
217+
job = new ModuleJob(this, url, loaderInstance, parentURL === undefined,
218+
inspectBrk);
219+
this.moduleMap.set(url, job);
220+
return job;
221+
}
222+
155223
async getModuleJob(specifier, parentURL) {
224+
console.log('getModuleJob', this._fetchListener);
225+
if (this._fetchListener) {
226+
return this.getModuleJobFromFetch(specifier, parentURL);
227+
}
228+
156229
const { url, format } = await this.resolve(specifier, parentURL);
157230
let job = this.moduleMap.get(url);
158231
// CommonJS will set functions for lazy job evaluation.

lib/internal/modules/esm/translators.js

+11
Original file line numberDiff line numberDiff line change
@@ -75,6 +75,17 @@ async function importModuleDynamically(specifier, { url }) {
7575
return esmLoader.ESMLoader.import(specifier, url);
7676
}
7777

78+
translators.set('module:hack', function hackyStrategy(url, source) {
79+
maybeCacheSourceMap(url, source);
80+
debug(`Translating StandardModule ${url}`);
81+
const module = new ModuleWrap(url, undefined, source, 0, 0);
82+
moduleWrap.callbackMap.set(module, {
83+
initializeImportMeta,
84+
importModuleDynamically,
85+
});
86+
return module;
87+
});
88+
7889
// Strategy for loading a standard JavaScript module
7990
translators.set('module', async function moduleStrategy(url) {
8091
const source = `${await getSource(url)}`;

lib/internal/process/esm_loader.js

+83-1
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,85 @@ exports.importModuleDynamicallyCallback = async function(wrap, specifier) {
4444
let ESMLoader = new Loader();
4545
exports.ESMLoader = ESMLoader;
4646

47+
function addLoaderWorkerGlobals(loader) {
48+
globalThis.self = globalThis;
49+
50+
class FetchEvent {
51+
constructor(type, init) {
52+
this._type = type;
53+
this._init = init;
54+
this.responsePromise = null;
55+
}
56+
57+
get request() {
58+
return this._init.request;
59+
}
60+
61+
respondWith(responsePromise) {
62+
this.responsePromise = responsePromise;
63+
}
64+
}
65+
globalThis.FetchEvent = FetchEvent;
66+
67+
// TODO: Use full Headers API
68+
class Headers {
69+
constructor(values = []) {
70+
this.values = new Map(values);
71+
}
72+
73+
set(key, value) {
74+
this.values.set(key, value);
75+
}
76+
}
77+
globalThis.Headers = Headers;
78+
79+
// TODO: Use full Request API
80+
class Request {
81+
constructor(url) {
82+
this.url = url;
83+
this.method = 'GET';
84+
}
85+
}
86+
globalThis.Request = Request;
87+
88+
// TODO: Use full Response API
89+
class Response {
90+
constructor(body, init = {}) {
91+
this.url = null;
92+
this.body = body;
93+
this.status = init.status || 200;
94+
this.headers = new Map();
95+
}
96+
97+
evilAddURL(url) {
98+
this.url = url;
99+
return this;
100+
}
101+
102+
async text() {
103+
return this.body;
104+
}
105+
}
106+
globalThis.Response = Response;
107+
108+
async function fetch(request) {
109+
// TODO: Setting the URL shouldn't be exposed like this but *shrug*
110+
const url = new URL(request.url);
111+
112+
if (url.protocol === 'file:') {
113+
return new Response(require('fs').readFileSync(url, 'utf8')).evilAddURL(request.url);
114+
}
115+
throw new TypeError('Failed to fetch');
116+
}
117+
globalThis.fetch = fetch;
118+
119+
globalThis.addEventListener = (eventName, handler) => {
120+
if (eventName === 'fetch') {
121+
loader.setFetchListener(handler);
122+
}
123+
};
124+
}
125+
47126
let calledInitialize = false;
48127
exports.initializeLoader = initializeLoader;
49128
async function initializeLoader() {
@@ -65,9 +144,12 @@ async function initializeLoader() {
65144
const { emitExperimentalWarning } = require('internal/util');
66145
emitExperimentalWarning('--experimental-loader');
67146
return (async () => {
147+
// TODO: In a perfect world the loader wouldn't run in the same realm
148+
const newLoader = new Loader();
149+
addLoaderWorkerGlobals(newLoader);
68150
const hooks =
69151
await ESMLoader.import(userLoader, pathToFileURL(cwd).href);
70-
ESMLoader = new Loader();
152+
ESMLoader = newLoader;
71153
ESMLoader.hook(hooks);
72154
return exports.ESMLoader = ESMLoader;
73155
})();
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,50 @@
1+
/**
2+
* @param {string} urlString
3+
* @param {string} fileExtension
4+
*/
5+
function isFileExtensionURL(urlString, fileExtension) {
6+
const url = new URL(urlString);
7+
return url.protocol === 'file:' && url.pathname.endsWith(fileExtension);
8+
}
9+
10+
/**
11+
* @param {Response} res
12+
* @param {string} mimeType
13+
* @param {string} fileExtension
14+
*/
15+
function isType(res, mimeType, fileExtension) {
16+
const contentType = (res.headers.get('content-type') || '').toLocaleLowerCase(
17+
'en'
18+
);
19+
if (contentType === mimeType) {
20+
return true;
21+
}
22+
return !contentType && isFileExtensionURL(res.url, fileExtension);
23+
}
24+
25+
function compile(source) {
26+
return `\
27+
const data = ${JSON.stringify(source)};
28+
console.log(import.meta.url, data);
29+
export default data;
30+
`;
31+
}
32+
33+
function isCustomScript(res) {
34+
return isType(res, 'application/vnd.customscript', '.custom');
35+
}
36+
37+
self.addEventListener('fetch', event => {
38+
event.respondWith(
39+
fetch(event.request).then(async res => {
40+
if (res.status !== 200 || !isCustomScript(res)) {
41+
return res;
42+
}
43+
const source = await res.text();
44+
const body = compile(source);
45+
const headers = new Headers(res.headers);
46+
headers.set('content-type', 'text/javascript');
47+
return new Response(body, { headers });
48+
})
49+
);
50+
});
+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
Custom file format

0 commit comments

Comments
 (0)