Skip to content

Commit 0aa3ddd

Browse files
authored
module: handle cached linked async jobs in require(esm)
This handles two cases caused by using Promise.all() with multiple dynamic import() that can make an asynchronously linked module job that has finished/failed linking but has not yet started actual evaluation appear in the load cache when another require request is in turn to handle it. - When the cached async job has finished linking but has not started its evaluation because the async run() task would be later in line, start the evaluation from require() with runSync(). - When the cached async job have already encountered a linking error that gets wrapped into a rejection, but is still later in line to throw on it, just unwrap and throw the linking error from require(). PR-URL: #57187 Fixes: #57172 Refs: shufo/prettier-plugin-blade#311 Refs: https://github.com/fisker/prettier-plugin-blade-311 Refs: mochajs/mocha#5290 Refs: https://github.com/JoshuaKGoldberg/repros/tree/mocha-missing-module-cyclic Reviewed-By: Guy Bedford <[email protected]> Reviewed-By: Matteo Collina <[email protected]>
1 parent 635aed9 commit 0aa3ddd

File tree

3 files changed

+114
-48
lines changed

3 files changed

+114
-48
lines changed

lib/internal/modules/esm/loader.js

+67-21
Original file line numberDiff line numberDiff line change
@@ -18,7 +18,6 @@ const {
1818
kIsExecuting,
1919
kRequiredModuleSymbol,
2020
} = require('internal/modules/cjs/loader');
21-
2221
const { imported_cjs_symbol } = internalBinding('symbols');
2322

2423
const assert = require('internal/assert');
@@ -38,7 +37,15 @@ const {
3837
forceDefaultLoader,
3938
} = require('internal/modules/esm/utils');
4039
const { kImplicitTypeAttribute } = require('internal/modules/esm/assert');
41-
const { ModuleWrap, kEvaluating, kEvaluated, kEvaluationPhase, kSourcePhase } = internalBinding('module_wrap');
40+
const {
41+
ModuleWrap,
42+
kEvaluated,
43+
kEvaluating,
44+
kEvaluationPhase,
45+
kInstantiated,
46+
kSourcePhase,
47+
throwIfPromiseRejected,
48+
} = internalBinding('module_wrap');
4249
const {
4350
urlToFilename,
4451
} = require('internal/modules/helpers');
@@ -53,6 +60,10 @@ let defaultResolve, defaultLoad, defaultLoadSync, importMetaInitializer;
5360
const { tracingChannel } = require('diagnostics_channel');
5461
const onImport = tracingChannel('module.import');
5562

63+
let debug = require('internal/util/debuglog').debuglog('esm', (fn) => {
64+
debug = fn;
65+
});
66+
5667
/**
5768
* @typedef {import('./hooks.js').HooksProxy} HooksProxy
5869
* @typedef {import('./module_job.js').ModuleJobBase} ModuleJobBase
@@ -86,6 +97,23 @@ function getTranslators() {
8697
return translators;
8798
}
8899

100+
/**
101+
* Generate message about potential race condition caused by requiring a cached module that has started
102+
* async linking.
103+
* @param {string} filename Filename of the module being required.
104+
* @param {string|undefined} parentFilename Filename of the module calling require().
105+
* @returns {string} Error message.
106+
*/
107+
function getRaceMessage(filename, parentFilename) {
108+
let raceMessage = `Cannot require() ES Module ${filename} because it is not yet fully loaded. `;
109+
raceMessage += 'This may be caused by a race condition if the module is simultaneously dynamically ';
110+
raceMessage += 'import()-ed via Promise.all(). Try await-ing the import() sequentially in a loop instead.';
111+
if (parentFilename) {
112+
raceMessage += ` (from ${parentFilename})`;
113+
}
114+
return raceMessage;
115+
}
116+
89117
/**
90118
* @type {HooksProxy}
91119
* Multiple loader instances exist for various, specific reasons (see code comments at site).
@@ -346,35 +374,53 @@ class ModuleLoader {
346374
// evaluated at this point.
347375
// TODO(joyeecheung): add something similar to CJS loader's requireStack to help
348376
// debugging the the problematic links in the graph for import.
377+
debug('importSyncForRequire', parent?.filename, '->', filename, job);
349378
if (job !== undefined) {
350379
mod[kRequiredModuleSymbol] = job.module;
351380
const parentFilename = urlToFilename(parent?.filename);
352381
// TODO(node:55782): this race may stop to happen when the ESM resolution and loading become synchronous.
353382
if (!job.module) {
354-
let message = `Cannot require() ES Module ${filename} because it is not yet fully loaded. `;
355-
message += 'This may be caused by a race condition if the module is simultaneously dynamically ';
356-
message += 'import()-ed via Promise.all(). Try await-ing the import() sequentially in a loop instead.';
357-
if (parentFilename) {
358-
message += ` (from ${parentFilename})`;
359-
}
360-
assert(job.module, message);
383+
assert.fail(getRaceMessage(filename, parentFilename));
361384
}
362385
if (job.module.async) {
363386
throw new ERR_REQUIRE_ASYNC_MODULE(filename, parentFilename);
364387
}
365-
// job.module may be undefined if it's asynchronously loaded. Which means
366-
// there is likely a cycle.
367-
if (job.module.getStatus() !== kEvaluated) {
368-
let message = `Cannot require() ES Module ${filename} in a cycle.`;
369-
if (parentFilename) {
370-
message += ` (from ${parentFilename})`;
371-
}
372-
message += 'A cycle involving require(esm) is disallowed to maintain ';
373-
message += 'invariants madated by the ECMAScript specification';
374-
message += 'Try making at least part of the dependency in the graph lazily loaded.';
375-
throw new ERR_REQUIRE_CYCLE_MODULE(message);
388+
const status = job.module.getStatus();
389+
debug('Module status', filename, status);
390+
if (status === kEvaluated) {
391+
return { wrap: job.module, namespace: job.module.getNamespaceSync(filename, parentFilename) };
392+
} else if (status === kInstantiated) {
393+
// When it's an async job cached by another import request,
394+
// which has finished linking but has not started its
395+
// evaluation because the async run() task would be later
396+
// in line. Then start the evaluation now with runSync(), which
397+
// is guaranteed to finish by the time the other run() get to it,
398+
// and the other task would just get the cached evaluation results,
399+
// similar to what would happen when both are async.
400+
mod[kRequiredModuleSymbol] = job.module;
401+
const { namespace } = job.runSync(parent);
402+
return { wrap: job.module, namespace: namespace || job.module.getNamespace() };
376403
}
377-
return { wrap: job.module, namespace: job.module.getNamespaceSync(filename, parentFilename) };
404+
// When the cached async job have already encountered a linking
405+
// error that gets wrapped into a rejection, but is still later
406+
// in line to throw on it, just unwrap and throw the linking error
407+
// from require().
408+
if (job.instantiated) {
409+
throwIfPromiseRejected(job.instantiated);
410+
}
411+
if (status !== kEvaluating) {
412+
assert.fail(`Unexpected module status ${status}. ` +
413+
getRaceMessage(filename, parentFilename));
414+
}
415+
let message = `Cannot require() ES Module ${filename} in a cycle.`;
416+
if (parentFilename) {
417+
message += ` (from ${parentFilename})`;
418+
}
419+
message += 'A cycle involving require(esm) is disallowed to maintain ';
420+
message += 'invariants madated by the ECMAScript specification';
421+
message += 'Try making at least part of the dependency in the graph lazily loaded.';
422+
throw new ERR_REQUIRE_CYCLE_MODULE(message);
423+
378424
}
379425
// TODO(joyeecheung): refactor this so that we pre-parse in C++ and hit the
380426
// cache here, or use a carrier object to carry the compiled module script

lib/internal/modules/esm/module_job.js

+5-5
Original file line numberDiff line numberDiff line change
@@ -274,7 +274,7 @@ class ModuleJob extends ModuleJobBase {
274274
}
275275
}
276276

277-
runSync() {
277+
runSync(parent) {
278278
assert(this.phase === kEvaluationPhase);
279279
assert(this.module instanceof ModuleWrap);
280280
if (this.instantiated !== undefined) {
@@ -283,11 +283,11 @@ class ModuleJob extends ModuleJobBase {
283283

284284
this.module.instantiate();
285285
this.instantiated = PromiseResolve();
286-
const timeout = -1;
287-
const breakOnSigint = false;
288286
setHasStartedUserESMExecution();
289-
this.module.evaluate(timeout, breakOnSigint);
290-
return { __proto__: null, module: this.module };
287+
const filename = urlToFilename(this.url);
288+
const parentFilename = urlToFilename(parent?.filename);
289+
const namespace = this.module.evaluateSync(filename, parentFilename);
290+
return { __proto__: null, module: this.module, namespace };
291291
}
292292

293293
async run(isEntryPoint = false) {

src/module_wrap.cc

+42-22
Original file line numberDiff line numberDiff line change
@@ -36,6 +36,7 @@ using v8::Int32;
3636
using v8::Integer;
3737
using v8::Isolate;
3838
using v8::Just;
39+
using v8::JustVoid;
3940
using v8::Local;
4041
using v8::LocalVector;
4142
using v8::Maybe;
@@ -47,6 +48,7 @@ using v8::Module;
4748
using v8::ModuleImportPhase;
4849
using v8::ModuleRequest;
4950
using v8::Name;
51+
using v8::Nothing;
5052
using v8::Null;
5153
using v8::Object;
5254
using v8::ObjectTemplate;
@@ -671,6 +673,43 @@ void ModuleWrap::InstantiateSync(const FunctionCallbackInfo<Value>& args) {
671673
args.GetReturnValue().Set(module->IsGraphAsync());
672674
}
673675

676+
Maybe<void> ThrowIfPromiseRejected(Realm* realm, Local<Promise> promise) {
677+
Isolate* isolate = realm->isolate();
678+
Local<Context> context = realm->context();
679+
if (promise->State() != Promise::PromiseState::kRejected) {
680+
return JustVoid();
681+
}
682+
// The rejected promise is created by V8, so we don't get a chance to mark
683+
// it as resolved before the rejection happens from evaluation. But we can
684+
// tell the promise rejection callback to treat it as a promise rejected
685+
// before handler was added which would remove it from the unhandled
686+
// rejection handling, since we are converting it into an error and throw
687+
// from here directly.
688+
Local<Value> type =
689+
Integer::New(isolate,
690+
static_cast<int32_t>(
691+
PromiseRejectEvent::kPromiseHandlerAddedAfterReject));
692+
Local<Value> args[] = {type, promise, Undefined(isolate)};
693+
if (realm->promise_reject_callback()
694+
->Call(context, Undefined(isolate), arraysize(args), args)
695+
.IsEmpty()) {
696+
return Nothing<void>();
697+
}
698+
Local<Value> exception = promise->Result();
699+
Local<Message> message = Exception::CreateMessage(isolate, exception);
700+
AppendExceptionLine(
701+
realm->env(), exception, message, ErrorHandlingMode::MODULE_ERROR);
702+
isolate->ThrowException(exception);
703+
return Nothing<void>();
704+
}
705+
706+
void ThrowIfPromiseRejected(const FunctionCallbackInfo<Value>& args) {
707+
if (!args[0]->IsPromise()) {
708+
return;
709+
}
710+
ThrowIfPromiseRejected(Realm::GetCurrent(args), args[0].As<Promise>());
711+
}
712+
674713
void ModuleWrap::EvaluateSync(const FunctionCallbackInfo<Value>& args) {
675714
Realm* realm = Realm::GetCurrent(args);
676715
Isolate* isolate = args.GetIsolate();
@@ -695,28 +734,7 @@ void ModuleWrap::EvaluateSync(const FunctionCallbackInfo<Value>& args) {
695734

696735
CHECK(result->IsPromise());
697736
Local<Promise> promise = result.As<Promise>();
698-
if (promise->State() == Promise::PromiseState::kRejected) {
699-
// The rejected promise is created by V8, so we don't get a chance to mark
700-
// it as resolved before the rejection happens from evaluation. But we can
701-
// tell the promise rejection callback to treat it as a promise rejected
702-
// before handler was added which would remove it from the unhandled
703-
// rejection handling, since we are converting it into an error and throw
704-
// from here directly.
705-
Local<Value> type =
706-
Integer::New(isolate,
707-
static_cast<int32_t>(
708-
PromiseRejectEvent::kPromiseHandlerAddedAfterReject));
709-
Local<Value> args[] = {type, promise, Undefined(isolate)};
710-
if (env->promise_reject_callback()
711-
->Call(context, Undefined(isolate), arraysize(args), args)
712-
.IsEmpty()) {
713-
return;
714-
}
715-
Local<Value> exception = promise->Result();
716-
Local<Message> message = Exception::CreateMessage(isolate, exception);
717-
AppendExceptionLine(
718-
env, exception, message, ErrorHandlingMode::MODULE_ERROR);
719-
isolate->ThrowException(exception);
737+
if (ThrowIfPromiseRejected(realm, promise).IsNothing()) {
720738
return;
721739
}
722740

@@ -1277,6 +1295,7 @@ void ModuleWrap::CreatePerIsolateProperties(IsolateData* isolate_data,
12771295
target,
12781296
"createRequiredModuleFacade",
12791297
CreateRequiredModuleFacade);
1298+
SetMethod(isolate, target, "throwIfPromiseRejected", ThrowIfPromiseRejected);
12801299
}
12811300

12821301
void ModuleWrap::CreatePerContextProperties(Local<Object> target,
@@ -1326,6 +1345,7 @@ void ModuleWrap::RegisterExternalReferences(
13261345

13271346
registry->Register(SetImportModuleDynamicallyCallback);
13281347
registry->Register(SetInitializeImportMetaObjectCallback);
1348+
registry->Register(ThrowIfPromiseRejected);
13291349
}
13301350
} // namespace loader
13311351
} // namespace node

0 commit comments

Comments
 (0)