Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit dac7020

Browse files
committedApr 22, 2024·
module: support ESM detection in the CJS loader
This patch: 1. Adds ESM syntax detection to compileFunctionForCJSLoader() for --experimental-detect-module and allow it to emit the warning for how to load ESM when it's used to parse ESM as CJS but detection is not enabled. 2. Moves the ESM detection of --experimental-detect-module for the entrypoint from executeUserEntryPoint() into Module.prototype._compile() and handle it directly in the CJS loader so that the errors thrown during compilation *and execution* during the loading of the entrypoint does not need to be bubbled all the way up. If the entrypoint doesn't parse as CJS, and detection is enabled, the CJS loader will re-load the entrypoint as ESM on the spot asynchronously using runEntryPointWithESMLoader() and cascadedLoader.import(). This is fine for the entrypoint because unlike require(ESM) we don't the namespace of the entrypoint synchronously, and can just ignore the returned value. In this case process.mainModule is reset to undefined as they are not available for ESM entrypoints. 3. Supports --experimental-detect-module for require(esm).
1 parent 01c281f commit dac7020

12 files changed

+209
-129
lines changed
 

‎.eslintignore

+3
Original file line numberDiff line numberDiff line change
@@ -13,3 +13,6 @@ doc/changelogs/CHANGELOG_v1*.md
1313
!doc/changelogs/CHANGELOG_v18.md
1414
!doc/api_assets/*.js
1515
!.eslintrc.js
16+
# These test --experimental-detect-module so contains ESM syntax in .js files.
17+
test/es-module/test-require-module-detect-entry-point.js
18+
test/es-module/test-require-module-detect-entry-point-aou.js

‎doc/api/modules.md

+19-7
Original file line numberDiff line numberDiff line change
@@ -180,9 +180,12 @@ regarding which files are parsed as ECMAScript modules.
180180
If `--experimental-require-module` is enabled, and the ECMAScript module being
181181
loaded by `require()` meets the following requirements:
182182

183-
* Explicitly marked as an ES module with a `"type": "module"` field in
184-
the closest package.json or a `.mjs` extension.
185-
* Fully synchronous (contains no top-level `await`).
183+
* One of these conditions are met:
184+
1. The file has a `.mjs` extension.
185+
2. The file has a `.js` extension, and the closest `package.json` contains `"type": "module"`
186+
3. The file has a `.js` extension, the closest `package.json` does not contain
187+
`"type": "commonjs"`, and `--experimental-detect-module` is enabled.
188+
* The module is fully synchronous (contains no top-level `await`).
186189

187190
`require()` will load the requested module as an ES Module, and return
188191
the module name space object. In this case it is similar to dynamic
@@ -249,18 +252,27 @@ require(X) from module at path Y
249252
6. LOAD_NODE_MODULES(X, dirname(Y))
250253
7. THROW "not found"
251254

255+
MAYBE_DETECT_AND_LOAD(X)
256+
1. If X parses as a CommonJS module, load X as a CommonJS module. STOP.
257+
2. Else, if `--experimental-require-module` and `--experimental-detect-module` are
258+
enabled, and the source code of X can be parsed as ECMAScript module using
259+
<a href="esm.md#resolver-algorithm-specification">DETECT_MODULE_SYNTAX defined in
260+
the ESM resolver</a>,
261+
a. Load X as an ECMAScript module. STOP.
262+
3. THROW the SyntaxError from attempting to parse X as CommonJS in 1. STOP.
263+
252264
LOAD_AS_FILE(X)
253265
1. If X is a file, load X as its file extension format. STOP
254266
2. If X.js is a file,
255267
a. Find the closest package scope SCOPE to X.
256-
b. If no scope was found, load X.js as a CommonJS module. STOP.
268+
b. If no scope was found
269+
1. MAYBE_DETECT_AND_LOAD(X.js)
257270
c. If the SCOPE/package.json contains "type" field,
258271
1. If the "type" field is "module", load X.js as an ECMAScript module. STOP.
259-
2. Else, load X.js as an CommonJS module. STOP.
272+
2. If the "type" field is "commonjs", load X.js as an CommonJS module. STOP.
273+
d. MAYBE_DETECT_AND_LOAD(X.js)
260274
3. If X.json is a file, load X.json to a JavaScript Object. STOP
261275
4. If X.node is a file, load X.node as binary addon. STOP
262-
5. If X.mjs is a file, and `--experimental-require-module` is enabled,
263-
load X.mjs as an ECMAScript module. STOP
264276

265277
LOAD_INDEX(X)
266278
1. If X/index.js is a file

‎lib/internal/modules/cjs/loader.js

+48-39
Original file line numberDiff line numberDiff line change
@@ -106,7 +106,6 @@ module.exports = {
106106
kModuleExportNames,
107107
kModuleCircularVisited,
108108
initializeCJS,
109-
entryPointSource: undefined, // Set below.
110109
Module,
111110
wrapSafe,
112111
kIsMainSymbol,
@@ -1332,9 +1331,18 @@ function loadESMFromCJS(mod, filename) {
13321331
const source = getMaybeCachedSource(mod, filename);
13331332
const cascadedLoader = require('internal/modules/esm/loader').getOrInitializeCascadedLoader();
13341333
const isMain = mod[kIsMainSymbol];
1335-
// TODO(joyeecheung): we may want to invent optional special handling for default exports here.
1336-
// For now, it's good enough to be identical to what `import()` returns.
1337-
mod.exports = cascadedLoader.importSyncForRequire(mod, filename, source, isMain, mod[kModuleParent]);
1334+
if (isMain) {
1335+
require('internal/modules/run_main').runEntryPointWithESMLoader((cascadedLoader) => {
1336+
const mainURL = pathToFileURL(filename).href;
1337+
cascadedLoader.import(mainURL, undefined, { __proto__: null }, true);
1338+
});
1339+
// ESM won't be accessible via process.mainModule.
1340+
setOwnProperty(process, 'mainModule', undefined);
1341+
} else {
1342+
// TODO(joyeecheung): we may want to invent optional special handling for default exports here.
1343+
// For now, it's good enough to be identical to what `import()` returns.
1344+
mod.exports = cascadedLoader.importSyncForRequire(mod, filename, source, isMain, mod[kModuleParent]);
1345+
}
13381346
}
13391347

13401348
/**
@@ -1343,8 +1351,10 @@ function loadESMFromCJS(mod, filename) {
13431351
* @param {string} content The content of the file being loaded
13441352
* @param {Module} cjsModuleInstance The CommonJS loader instance
13451353
* @param {object} codeCache The SEA code cache
1354+
* @param {'commonjs'|undefined} format Intended format of the module.
13461355
*/
1347-
function wrapSafe(filename, content, cjsModuleInstance, codeCache) {
1356+
function wrapSafe(filename, content, cjsModuleInstance, codeCache, format) {
1357+
assert(format !== 'module'); // ESM should be handled in loadESMFromCJS().
13481358
const hostDefinedOptionId = vm_dynamic_import_default_internal;
13491359
const importModuleDynamically = vm_dynamic_import_default_internal;
13501360
if (patched) {
@@ -1374,46 +1384,33 @@ function wrapSafe(filename, content, cjsModuleInstance, codeCache) {
13741384
};
13751385
}
13761386

1377-
try {
1378-
const result = compileFunctionForCJSLoader(content, filename);
1379-
1380-
// cachedDataRejected is only set for cache coming from SEA.
1381-
if (codeCache &&
1382-
result.cachedDataRejected !== false &&
1383-
internalBinding('sea').isSea()) {
1384-
process.emitWarning('Code cache data rejected.');
1385-
}
1387+
const isMain = !!(cjsModuleInstance && cjsModuleInstance[kIsMainSymbol]);
1388+
const shouldDetectModule = (format !== 'commonjs' && getOptionValue('--experimental-detect-module'));
1389+
const result = compileFunctionForCJSLoader(content, filename, isMain, shouldDetectModule);
13861390

1387-
// Cache the source map for the module if present.
1388-
if (result.sourceMapURL) {
1389-
maybeCacheSourceMap(filename, content, this, false, undefined, result.sourceMapURL);
1390-
}
1391+
// cachedDataRejected is only set for cache coming from SEA.
1392+
if (codeCache &&
1393+
result.cachedDataRejected !== false &&
1394+
internalBinding('sea').isSea()) {
1395+
process.emitWarning('Code cache data rejected.');
1396+
}
13911397

1392-
return result;
1393-
} catch (err) {
1394-
if (process.mainModule === cjsModuleInstance) {
1395-
if (getOptionValue('--experimental-detect-module')) {
1396-
// For the main entry point, cache the source to potentially retry as ESM.
1397-
module.exports.entryPointSource = content;
1398-
} else {
1399-
// We only enrich the error (print a warning) if we're sure we're going to for-sure throw it; so if we're
1400-
// retrying as ESM, wait until we know whether we're going to retry before calling `enrichCJSError`.
1401-
const { enrichCJSError } = require('internal/modules/esm/translators');
1402-
enrichCJSError(err, content, filename);
1403-
}
1404-
}
1405-
throw err;
1398+
// Cache the source map for the module if present.
1399+
if (result.sourceMapURL) {
1400+
maybeCacheSourceMap(filename, content, this, false, undefined, result.sourceMapURL);
14061401
}
1402+
1403+
return result;
14071404
}
14081405

14091406
/**
14101407
* Run the file contents in the correct scope or sandbox. Expose the correct helper variables (`require`, `module`,
14111408
* `exports`) to the file. Returns exception, if any.
14121409
* @param {string} content The source code of the module
14131410
* @param {string} filename The file path of the module
1414-
* @param {boolean} loadAsESM Whether it's known to be ESM via .mjs or "type" in package.json.
1411+
* @param {'module'|'commonjs'|undefined} format Intended format of the module.
14151412
*/
1416-
Module.prototype._compile = function(content, filename, loadAsESM = false) {
1413+
Module.prototype._compile = function(content, filename, format) {
14171414
let moduleURL;
14181415
let redirects;
14191416
const manifest = policy()?.manifest;
@@ -1423,17 +1420,24 @@ Module.prototype._compile = function(content, filename, loadAsESM = false) {
14231420
manifest.assertIntegrity(moduleURL, content);
14241421
}
14251422

1423+
let compiledWrapper;
1424+
if (format !== 'module') {
1425+
const result = wrapSafe(filename, content, this, undefined, format);
1426+
compiledWrapper = result.function;
1427+
if (result.canParseAsESM) {
1428+
format = 'module';
1429+
}
1430+
}
1431+
14261432
// TODO(joyeecheung): when the module is the entry point, consider allowing TLA.
14271433
// Only modules being require()'d really need to avoid TLA.
1428-
if (loadAsESM) {
1434+
if (format === 'module') {
14291435
// Pass the source into the .mjs extension handler indirectly through the cache.
14301436
this[kModuleSource] = content;
14311437
loadESMFromCJS(this, filename);
14321438
return;
14331439
}
14341440

1435-
const { function: compiledWrapper } = wrapSafe(filename, content, this);
1436-
14371441
// TODO(joyeecheung): the detection below is unnecessarily complex. Using the
14381442
// kIsMainSymbol, or a kBreakOnStartSymbol that gets passed from
14391443
// higher level instead of doing hacky detection here.
@@ -1510,12 +1514,13 @@ Module._extensions['.js'] = function(module, filename) {
15101514
// If already analyzed the source, then it will be cached.
15111515
const content = getMaybeCachedSource(module, filename);
15121516

1517+
let format;
15131518
if (StringPrototypeEndsWith(filename, '.js')) {
15141519
const pkg = packageJsonReader.getNearestParentPackageJSON(filename);
15151520
// Function require shouldn't be used in ES modules.
15161521
if (pkg?.data.type === 'module') {
15171522
if (getOptionValue('--experimental-require-module')) {
1518-
module._compile(content, filename, true);
1523+
module._compile(content, filename, 'module');
15191524
return;
15201525
}
15211526

@@ -1549,10 +1554,14 @@ Module._extensions['.js'] = function(module, filename) {
15491554
}
15501555
}
15511556
throw err;
1557+
} else if (pkg?.data.type === 'commonjs') {
1558+
format = 'commonjs';
15521559
}
1560+
} else if (StringPrototypeEndsWith(filename, '.cjs')) {
1561+
format = 'commonjs';
15531562
}
15541563

1555-
module._compile(content, filename, false);
1564+
module._compile(content, filename, format);
15561565
};
15571566

15581567
/**

‎lib/internal/modules/esm/translators.js

+11-43
Original file line numberDiff line numberDiff line change
@@ -4,7 +4,6 @@ const {
44
ArrayPrototypeMap,
55
Boolean,
66
JSONParse,
7-
ObjectGetPrototypeOf,
87
ObjectKeys,
98
ObjectPrototypeHasOwnProperty,
109
ReflectApply,
@@ -15,7 +14,6 @@ const {
1514
StringPrototypeReplaceAll,
1615
StringPrototypeSlice,
1716
StringPrototypeStartsWith,
18-
SyntaxErrorPrototype,
1917
globalThis: { WebAssembly },
2018
} = primordials;
2119

@@ -30,7 +28,6 @@ function lazyTypes() {
3028
}
3129

3230
const {
33-
containsModuleSyntax,
3431
compileFunctionForCJSLoader,
3532
} = internalBinding('contextify');
3633

@@ -62,7 +59,6 @@ const {
6259
const { maybeCacheSourceMap } = require('internal/source_map/source_map_cache');
6360
const moduleWrap = internalBinding('module_wrap');
6461
const { ModuleWrap } = moduleWrap;
65-
const { emitWarningSync } = require('internal/process/warning');
6662

6763
// Lazy-loading to avoid circular dependencies.
6864
let getSourceSync;
@@ -107,7 +103,6 @@ function initCJSParseSync() {
107103

108104
const translators = new SafeMap();
109105
exports.translators = translators;
110-
exports.enrichCJSError = enrichCJSError;
111106

112107
let DECODER = null;
113108
/**
@@ -169,25 +164,6 @@ translators.set('module', function moduleStrategy(url, source, isMain) {
169164
return module;
170165
});
171166

172-
/**
173-
* Provide a more informative error for CommonJS imports.
174-
* @param {Error | any} err
175-
* @param {string} [content] Content of the file, if known.
176-
* @param {string} [filename] The filename of the erroring module.
177-
*/
178-
function enrichCJSError(err, content, filename) {
179-
if (err != null && ObjectGetPrototypeOf(err) === SyntaxErrorPrototype &&
180-
containsModuleSyntax(content, filename)) {
181-
// Emit the warning synchronously because we are in the middle of handling
182-
// a SyntaxError that will throw and likely terminate the process before an
183-
// asynchronous warning would be emitted.
184-
emitWarningSync(
185-
'To load an ES module, set "type": "module" in the package.json or use ' +
186-
'the .mjs extension.',
187-
);
188-
}
189-
}
190-
191167
/**
192168
* Loads a CommonJS module via the ESM Loader sync CommonJS translator.
193169
* This translator creates its own version of the `require` function passed into CommonJS modules.
@@ -197,15 +173,11 @@ function enrichCJSError(err, content, filename) {
197173
* @param {string} source - The source code of the module.
198174
* @param {string} url - The URL of the module.
199175
* @param {string} filename - The filename of the module.
176+
* @param {boolean} isMain - Whether the module is the entrypoint
200177
*/
201-
function loadCJSModule(module, source, url, filename) {
202-
let compileResult;
203-
try {
204-
compileResult = compileFunctionForCJSLoader(source, filename);
205-
} catch (err) {
206-
enrichCJSError(err, source, filename);
207-
throw err;
208-
}
178+
function loadCJSModule(module, source, url, filename, isMain) {
179+
const compileResult = compileFunctionForCJSLoader(source, filename, isMain, false);
180+
209181
// Cache the source map for the cjs module if present.
210182
if (compileResult.sourceMapURL) {
211183
maybeCacheSourceMap(url, source, null, false, undefined, compileResult.sourceMapURL);
@@ -283,7 +255,7 @@ function createCJSModuleWrap(url, source, isMain, loadCJS = loadCJSModule) {
283255
debug(`Loading CJSModule ${url}`);
284256

285257
if (!module.loaded) {
286-
loadCJS(module, source, url, filename);
258+
loadCJS(module, source, url, filename, !!isMain);
287259
}
288260

289261
let exports;
@@ -315,9 +287,10 @@ translators.set('commonjs-sync', function requireCommonJS(url, source, isMain) {
315287
initCJSParseSync();
316288
assert(!isMain); // This is only used by imported CJS modules.
317289

318-
return createCJSModuleWrap(url, source, isMain, (module, source, url, filename) => {
290+
return createCJSModuleWrap(url, source, isMain, (module, source, url, filename, isMain) => {
319291
assert(module === CJSModule._cache[filename]);
320-
CJSModule._load(filename);
292+
assert(!isMain);
293+
CJSModule._load(filename, null, isMain);
321294
});
322295
});
323296

@@ -340,14 +313,9 @@ translators.set('commonjs', async function commonjsStrategy(url, source,
340313
// For backward-compatibility, it's possible to return a nullish value for
341314
// CJS source associated with a file: URL. In this case, the source is
342315
// obtained by calling the monkey-patchable CJS loader.
343-
const cjsLoader = source == null ? (module, source, url, filename) => {
344-
try {
345-
assert(module === CJSModule._cache[filename]);
346-
CJSModule._load(filename);
347-
} catch (err) {
348-
enrichCJSError(err, source, filename);
349-
throw err;
350-
}
316+
const cjsLoader = source == null ? (module, source, url, filename, isMain) => {
317+
assert(module === CJSModule._cache[filename]);
318+
CJSModule._load(filename, undefined, isMain);
351319
} : loadCJSModule;
352320

353321
try {

‎lib/internal/modules/run_main.js

+2-28
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,7 @@
11
'use strict';
22

33
const {
4-
ObjectGetPrototypeOf,
54
StringPrototypeEndsWith,
6-
SyntaxErrorPrototype,
75
globalThis,
86
} = primordials;
97

@@ -164,35 +162,11 @@ function executeUserEntryPoint(main = process.argv[1]) {
164162
let mainURL;
165163
// Unless we know we should use the ESM loader to handle the entry point per the checks in `shouldUseESMLoader`, first
166164
// try to run the entry point via the CommonJS loader; and if that fails under certain conditions, retry as ESM.
167-
let retryAsESM = false;
168165
if (!useESMLoader) {
169166
const cjsLoader = require('internal/modules/cjs/loader');
170167
const { Module } = cjsLoader;
171-
if (getOptionValue('--experimental-detect-module')) {
172-
// TODO(joyeecheung): handle this in the CJS loader. Don't try-catch here.
173-
try {
174-
// Module._load is the monkey-patchable CJS module loader.
175-
Module._load(main, null, true);
176-
} catch (error) {
177-
if (error != null && ObjectGetPrototypeOf(error) === SyntaxErrorPrototype) {
178-
const { shouldRetryAsESM } = internalBinding('contextify');
179-
const mainPath = resolvedMain || main;
180-
mainURL = pathToFileURL(mainPath).href;
181-
retryAsESM = shouldRetryAsESM(error.message, cjsLoader.entryPointSource, mainURL);
182-
// In case the entry point is a large file, such as a bundle,
183-
// ensure no further references can prevent it being garbage-collected.
184-
cjsLoader.entryPointSource = undefined;
185-
}
186-
if (!retryAsESM) {
187-
throw error;
188-
}
189-
}
190-
} else { // `--experimental-detect-module` is not passed
191-
Module._load(main, null, true);
192-
}
193-
}
194-
195-
if (useESMLoader || retryAsESM) {
168+
Module._load(main, null, true);
169+
} else {
196170
const mainPath = resolvedMain || main;
197171
if (mainURL === undefined) {
198172
mainURL = pathToFileURL(mainPath).href;

‎src/node_contextify.cc

+72-10
Original file line numberDiff line numberDiff line change
@@ -28,8 +28,10 @@
2828
#include "node_errors.h"
2929
#include "node_external_reference.h"
3030
#include "node_internals.h"
31+
#include "node_process.h"
3132
#include "node_sea.h"
3233
#include "node_snapshot_builder.h"
34+
#include "node_url.h"
3335
#include "node_watchdog.h"
3436
#include "util-inl.h"
3537

@@ -56,6 +58,7 @@ using v8::Maybe;
5658
using v8::MaybeLocal;
5759
using v8::MeasureMemoryExecution;
5860
using v8::MeasureMemoryMode;
61+
using v8::Message;
5962
using v8::MicrotaskQueue;
6063
using v8::MicrotasksPolicy;
6164
using v8::Name;
@@ -1483,50 +1486,109 @@ static MaybeLocal<Function> CompileFunctionForCJSLoader(Environment* env,
14831486
return scope.Escape(fn);
14841487
}
14851488

1489+
static bool warned_about_require_esm = false;
1490+
// TODO(joyeecheung): this was copied from the warning previously emitted in the
1491+
// JS land, but it's not very helpful. There should be specific information
1492+
// about which file or which package.json to update.
1493+
const char* require_esm_warning =
1494+
"To load an ES module, set \"type\": \"module\" in the package.json or use "
1495+
"the .mjs extension.";
1496+
1497+
static bool ShouldRetryAsESM(Realm* realm,
1498+
Local<String> message,
1499+
Local<String> code,
1500+
Local<String> resource_name);
1501+
14861502
static void CompileFunctionForCJSLoader(
14871503
const FunctionCallbackInfo<Value>& args) {
14881504
CHECK(args[0]->IsString());
14891505
CHECK(args[1]->IsString());
1506+
CHECK(args[2]->IsBoolean());
1507+
CHECK(args[3]->IsBoolean());
14901508
Local<String> code = args[0].As<String>();
14911509
Local<String> filename = args[1].As<String>();
1510+
bool is_main = args[2].As<Boolean>()->Value();
1511+
bool should_detect_module = args[3].As<Boolean>()->Value();
1512+
14921513
Isolate* isolate = args.GetIsolate();
14931514
Local<Context> context = isolate->GetCurrentContext();
1494-
Environment* env = Environment::GetCurrent(context);
1515+
Realm* realm = Realm::GetCurrent(context);
1516+
Environment* env = realm->env();
14951517

14961518
bool cache_rejected = false;
14971519
Local<Function> fn;
1520+
Local<Value> cjs_exception;
1521+
Local<Message> cjs_message;
1522+
14981523
{
1524+
ShouldNotAbortOnUncaughtScope no_abort_scope(realm->env());
14991525
TryCatchScope try_catch(env);
15001526
if (!CompileFunctionForCJSLoader(
15011527
env, context, code, filename, &cache_rejected)
15021528
.ToLocal(&fn)) {
15031529
CHECK(try_catch.HasCaught());
15041530
CHECK(!try_catch.HasTerminated());
1505-
errors::DecorateErrorStack(env, try_catch);
1506-
try_catch.ReThrow();
1531+
cjs_exception = try_catch.Exception();
1532+
cjs_message = try_catch.Message();
1533+
errors::DecorateErrorStack(env, cjs_exception, cjs_message);
1534+
}
1535+
}
1536+
1537+
bool can_parse_as_esm = false;
1538+
if (!cjs_exception.IsEmpty()) {
1539+
// Use the
1540+
Utf8Value filename_utf8(isolate, filename);
1541+
std::string url = url::FromFilePath(filename_utf8.ToStringView());
1542+
Local<String> url_value;
1543+
if (!String::NewFromUtf8(isolate, url.c_str()).ToLocal(&url_value)) {
1544+
return;
1545+
}
1546+
can_parse_as_esm =
1547+
ShouldRetryAsESM(realm, cjs_message->Get(), code, url_value);
1548+
if (!can_parse_as_esm) {
1549+
// The syntax error is not related to ESM, throw the original error.
1550+
isolate->ThrowException(cjs_exception);
1551+
return;
1552+
}
1553+
1554+
if (!should_detect_module) {
1555+
bool should_throw = true;
1556+
if (!warned_about_require_esm) {
1557+
// This needs to call process.emit('warning') in JS which can throw if
1558+
// the user listener throws. In that case, don't try to throw the syntax
1559+
// error.
1560+
should_throw =
1561+
ProcessEmitWarningSync(env, require_esm_warning).IsJust();
1562+
}
1563+
if (should_throw) {
1564+
isolate->ThrowException(cjs_exception);
1565+
}
15071566
return;
15081567
}
15091568
}
15101569

1570+
Local<Value> undefined = v8::Undefined(isolate);
15111571
std::vector<Local<Name>> names = {
15121572
env->cached_data_rejected_string(),
15131573
env->source_map_url_string(),
15141574
env->function_string(),
1575+
FIXED_ONE_BYTE_STRING(isolate, "canParseAsESM"),
15151576
};
15161577
std::vector<Local<Value>> values = {
15171578
Boolean::New(isolate, cache_rejected),
1518-
fn->GetScriptOrigin().SourceMapUrl(),
1519-
fn,
1579+
fn.IsEmpty() ? undefined : fn->GetScriptOrigin().SourceMapUrl(),
1580+
fn.IsEmpty() ? undefined : fn.As<Value>(),
1581+
Boolean::New(isolate, can_parse_as_esm),
15201582
};
15211583
Local<Object> result = Object::New(
15221584
isolate, v8::Null(isolate), names.data(), values.data(), names.size());
15231585
args.GetReturnValue().Set(result);
15241586
}
15251587

1526-
static bool ShouldRetryAsESM(Realm* realm,
1527-
Local<String> message,
1528-
Local<String> code,
1529-
Local<String> resource_name) {
1588+
bool ShouldRetryAsESM(Realm* realm,
1589+
Local<String> message,
1590+
Local<String> code,
1591+
Local<String> resource_name) {
15301592
Isolate* isolate = realm->isolate();
15311593

15321594
Utf8Value message_value(isolate, message);
@@ -1560,7 +1622,7 @@ static bool ShouldRetryAsESM(Realm* realm,
15601622
Local<PrimitiveArray> hdo = loader::ModuleWrap::GetHostDefinedOptions(
15611623
isolate, realm->isolate_data()->source_text_module_default_hdo());
15621624
if (loader::ModuleWrap::CompileSourceTextModule(
1563-
realm, code, resource_name, 0, 0, hdo, nullptr, &cache_rejected)
1625+
realm, code, resource_name, 0, 0, hdo, std::nullopt, &cache_rejected)
15641626
.ToLocal(&module)) {
15651627
return true;
15661628
}

‎src/node_errors.cc

+6-2
Original file line numberDiff line numberDiff line change
@@ -1138,15 +1138,19 @@ void Initialize(Local<Object> target,
11381138

11391139
void DecorateErrorStack(Environment* env,
11401140
const errors::TryCatchScope& try_catch) {
1141-
Local<Value> exception = try_catch.Exception();
1141+
DecorateErrorStack(env, try_catch.Exception(), try_catch.Message());
1142+
}
11421143

1144+
void DecorateErrorStack(Environment* env,
1145+
Local<Value> exception,
1146+
Local<Message> message) {
11431147
if (!exception->IsObject()) return;
11441148

11451149
Local<Object> err_obj = exception.As<Object>();
11461150

11471151
if (IsExceptionDecorated(env, err_obj)) return;
11481152

1149-
AppendExceptionLine(env, exception, try_catch.Message(), CONTEXTIFY_ERROR);
1153+
AppendExceptionLine(env, exception, message, CONTEXTIFY_ERROR);
11501154
TryCatchScope try_catch_scope(env); // Ignore exceptions below.
11511155
MaybeLocal<Value> stack = err_obj->Get(env->context(), env->stack_string());
11521156
MaybeLocal<Value> maybe_value =

‎src/node_errors.h

+3
Original file line numberDiff line numberDiff line change
@@ -295,6 +295,9 @@ void PerIsolateMessageListener(v8::Local<v8::Message> message,
295295

296296
void DecorateErrorStack(Environment* env,
297297
const errors::TryCatchScope& try_catch);
298+
void DecorateErrorStack(Environment* env,
299+
v8::Local<v8::Value> error,
300+
v8::Local<v8::Message> message);
298301

299302
class PrinterTryCatch : public v8::TryCatch {
300303
public:
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
// Flags: --experimental-require-module --experimental-detect-module --abort-on-uncaught-exception
2+
'use strict';
3+
4+
import { mustCall } from '../common/index.mjs';
5+
const fn = mustCall(() => {
6+
console.log('hello');
7+
});
8+
fn();
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
// Flags: --experimental-require-module --experimental-detect-module
2+
'use strict';
3+
4+
import { mustCall } from '../common/index.mjs';
5+
const fn = mustCall(() => {
6+
console.log('hello');
7+
});
8+
fn();
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
// Flags: --experimental-require-module --experimental-detect-module
2+
'use strict';
3+
4+
require('../common');
5+
const assert = require('assert');
6+
7+
assert.throws(() => {
8+
require('../fixtures/es-modules/es-note-unexpected-export-1.cjs');
9+
}, {
10+
message: /Unexpected token 'export'/
11+
});
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,18 @@
1+
// Flags: --experimental-require-module --experimental-detect-module
2+
'use strict';
3+
4+
require('../common');
5+
const assert = require('assert');
6+
const { isModuleNamespaceObject } = require('util/types');
7+
8+
{
9+
const mod = require('../fixtures/es-modules/loose.js');
10+
assert.deepStrictEqual({ ...mod }, { default: 'module' });
11+
assert(isModuleNamespaceObject(mod));
12+
}
13+
14+
{
15+
const mod = require('../fixtures/es-modules/package-without-type/noext-esm');
16+
assert.deepStrictEqual({ ...mod }, { default: 'module' });
17+
assert(isModuleNamespaceObject(mod));
18+
}

0 commit comments

Comments
 (0)
Please sign in to comment.