-
Notifications
You must be signed in to change notification settings - Fork 29.8k
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
lib,src: exit process on unhandled promise rejection cleanup #12010
Conversation
🎉 awesome. I'm still not sure we shouldn't warn after a sufficient amount of time anyway (like today's strategy with nextTick). When exploring this there are several cases where a promise might not be GCd (for example if it is referenced in a closure) but is still unhandledRejection. For example IIRC: function pingWebService() {
var p = getWebServiceResult();
async function persist() {
let res = await p;
await db.save(res);
}
async function dont() {
console.log("HI");
}
return configuration.persist ? persist : dont;
} IIRC, in the base above there is a reference to the promise in persist by callers of |
Before we go into the nitty-gritty: you made it an always-on feature but tracking promises as weak references has clear performance implications. It should be an opt-in debug feature unless you can show the overhead is manageable. |
@benjamingr We simply do not have enough information to exit the process due to the nature of promises. We could still warn, but that does seem some duplication of information. @bnoordhuis Correct. It has clear performance implications in a case where an error may be bringing down the process. If that is undesirable, a user can hook into the |
var caught; | ||
|
||
if (process.domain && process.domain._errorHandler) | ||
caught = process.domain._errorHandler(er) || caught; | ||
|
||
if (!caught) | ||
if (!caught && !fromPromise) |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
What’s the reasoning for this? That it’s already made visible by process.on('unhandledRejection')
?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
@addaleax Yes. That and to make sure we don't emit an event from GC that is able to be recovered from.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
@Fishrock123 oooh, that’s a good point – we should not be calling into the runtime from the GC at all
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
@addaleax Mmmm, not quite though. This still calls process.on('exit')
, which seems to be ok and makes logical sense.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
@Fishrock123 We have definitely received bug reports of real-world V8 crashes because we tried to run JS code during GC, see b49b496 and its Fixes:
tags
|
||
// If fn is empty we'll almost certainly have to panic anyways | ||
return fn->Call(env->context(), Null(env->isolate()), 1, | ||
&internal_props).ToLocalChecked(); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Can you align the parameters here?
// this will return true if the JS layer handled it, false otherwise | ||
Local<Value> caught = | ||
fatal_exception_function->Call(process_object, 1, &error); | ||
fatal_exception_function->Call(process_object, 2, argv); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I think we’ve been migrating towards using arraysize(argv)
instead of hard-coding the argument count in Call()
s
FIXED_ONE_BYTE_STRING(env->isolate(), "Array")).As<Object>(); | ||
Local<Function> js_array_from_function = js_array_object->Get( | ||
FIXED_ONE_BYTE_STRING(env->isolate(), "from")).As<Function>(); | ||
env->set_array_from(js_array_from_function); |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Is this used somewhere? It doesn’t look like that to me, but if yes: can you use the ->Get()
overloads that take a context
argument instead?
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Ah yeah, I think this is legacy code from when I used to walk the results array in JS.
gc(); | ||
gc(); | ||
gc(); | ||
/* eslint-enable no-undef */ |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Do you need the eslint comments if you use global.gc()
instead?
'use strict'; | ||
const common = require('../common'); | ||
|
||
// Flags: --expose-gc |
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Can you move this comment to the top of the file?
I agree that if it should crash it should crash. Let's observe a perhaps too common scenario. My main file is this though: var p = readFileWithPromise("config.js");
// do stuff unrelated
p.then((config) => loadApp(config, "warn")); In this scenario under GC-only unhandled rejection detection - the process never terminates and the error is swallowed. Under the current code - the user would at least get an informative error with a stack trace on why their program hangs. We can make task based unhandled rejection tracking (a.k.a. what we currently have) less sensitive so it - for example - waits for 2 seconds before notifying the user of anything. Even if we all agree that GC based is the only way to abort the process and is desirable - a warning for the case GC based detection won't work would be extremely invaluable when debugging. Note I am only suggesting a debug warning here. |
We should crash by default in the absence of user-installed
Crashing on unhandled rejection is a valid path:
I don't think we should move forward with crash-on-GC as a default behavior. As a habitual promise user, it worries me:
As someone who develops & deploys production promise-based services, I would hesitate before migrating to a version of node that included crash-on-GC behavior by default. As a former Node CTC member, I'd advise caution before taking onboard the complexity of introducing it as a debugging tool. |
I suspect this is probably the crux of disagreement: that we should preserve Node's ability to run the following code such that it outputs "hello world", hitting any user-installed const rejected = Promise.reject(new Error('unhandled, for now'));
setTimeout(() => {
rejected.catch(() => console.log("hello world"));
}, 1000); In a world where we crash on unhandled rejection, there are two options to maintain the above behavior: // option 1:
const rejected = Promise.reject(new Error('unhandled, for now'));
rejected.catch(() => {}) // "we know we will handle this later"
setTimeout(() => {
rejected.catch(() => console.log("hello world"));
}, 1000);
// option 2:
const rejected = Promise.reject(new Error('unhandled, for now'));
process.on('unhandledRejection', () => {}) // "it's okay to not handle rejections between ticks"
setTimeout(() => {
rejected.catch(() => console.log("hello world"));
}, 1000); |
@Fishrock123 This would need a rebase |
@Fishrock123 how do we progress from here? |
I don't know. I am largely unwilling to deal with the potential "promises people" (whatever the hell that means) / TC39 backlash against erroring in next tick (when the event happens), though in reality it makes far more sense as @chrisdickinson says. |
As a representative of "the promises" people - why? Erroring in the next tick is fine. |
I don't know that I have a ton to contribute, but I'll say the cases that concern me around this are mostly async function cases where there isn't such obvious devision between "handled" vs "unhandled" as there is in #12010 (comment). I could imagine writing code like this: async function doOperation() {
const resultOne = randomFirstOpMayReject();
const resultTwo = randomSecondOpMayReject();
try {
await resultOne;
} catch (e) {
// handle error
}
try {
await resultTwo;
} catch (e) {
// handle error
}
} if I want both operations to run in parallel, but I expect to be able to handle the errors. If I understand right, if the first operation takes a while to complete, and the second throws, it'll be an unhandled rejection even though the code is written to handle both errors. Throwing on (Fishrock123: edited to highlight code) |
Note that this PR introduces GC based promise unhandled rejection detection - and would not emit an unhnaldedRejection for that particular code in any case. |
Yup! I'm fully in support of this PR, just trying to provide an outside viewpoint, I'll leave you all to it :) |
Refs: nodejs#5292 Refs: nodejs/promises#26 Refs: nodejs#6355 PR-URL: nodejs#6375
I think can largely fix the direct technical issues with this PR.
|
@loganfsmyth: For posterity, you would solve this problem by doing the following: async function doOperation() {
const resultOne = randomFirstOpMayReject();
const resultTwo = randomSecondOpMayReject();
resultTwo.catch(() => {}); // "I intend to catch any exception from resultTwo later."
try {
await resultOne;
} catch (e) {
// handle error
}
try {
await resultTwo;
} catch (e) {
// handle error
}
} |
What's the status of this? Is there a plan to have it as some point? At least introducing unhandled rejections boilerplate to every script to ensure proper error exposure is quite annoying, it's not how Node.js worked before promises. |
@medikoo it's precisely how node.js worked before promises; errors thrown inside try/catches weren't surfaced anywhere - just like errors thrown inside promises. |
@ljharb Node.js since very early days, exposes really great pattern of throwing errors to which you did not subscribe (eventEmitter that's shared by most of interfaces), and exactly same thing should happen with promises. It's a bummer it's not the case |
@Fishrock123 @benjamingr what's the status of it? Many popular projects suffer cause of unhandled errors not being thrown (exposed) e.g. see: |
idk performance issues or something i, too, wish this was still an idea that might get somewhere but I simply do not have the energy to get it there |
I just had a look at this and for me it seems pretty solid and important. I am not sure if I understand the comments about the performance penalty correct: as far as I see it the code will only have a negative impact on unhandled rejections. I think these are fairly rare in average code and correctness is more important then performance. But to be sure about the implications: @Fishrock123 would you be so kind and rebase and add a benchmark to see how bad it really is? I think the average use case will not be penalized. Besides that other @nodejs/collaborators might weight in as well. |
...or, if you're comfortable with it, maybe give @BridgeAR permission to rebase and push directly to this branch and try to get this across the finish line? (I'm making an assumption that @BridgeAR is up for it. If I'm wrong, sorry about that.) |
@BridgeAR they're not necessarily rare; and the language is explicitly designed to allow for the program to continue when there are unhandled rejections - both because they might be handled later, and because the language does not require an explicit |
@ljharb this is only about failing in case of a unhandled rejection that is garbage collected so the program would continue in case of unhandled rejetions that are handled later on (as the tests also show). As far as I see it this was also discussed a lot before and those discussions lead to this PR in the first place (since this is a relatively safe way of dealing with this edge case). Those which are handled later will probably have a minor performance penalty but otherwise they should not be affected. That the language does not explicitly require a catch handler is fine but this is only about how Node.js deals with these cases and it was already decided to terminate Node.js in case a real unhandled rejection occurred. Besides the fact that even with this code anyone can actually decide to further ignore real unhandled rejections by simply using To conclude - I think this PR improves the situation for almost anyone and especially new comers and I think it would be great to get this into core. |
Yes, I totally agree that only failing on unhandled GC is acceptable; I was just pointing out that it's not necessarily rare, and this change is probably going to cause a lot of people to add a |
I' mean currently in Holiday but if you would like I'm game on discussing the implications in a call. In addition there is ongoing work by @uzon at nodejs/post-mortem about promises. In a gist the problem is that either with GC and "after next tick" there are false positives or false negatives and the problem of deciding if a rejection is ever handled is easily reducible to the halting problem. I think the future is with schedulers or contexts where you can declare a scope (like an HTTP request) where rejections can be handled - we might be able to do that - and that might burden frameworks a little but users will benefit immensely. |
To clarify - GC based detection has false negatives that current unhandled rejection detection doesn't and they are significant. For example imagine not detecting a bug in an exception because of a memory leak - sounds terrible (not to mention just regular global sand anything with long lifetime) |
@benjamingr I think it would be fine to add the warning back in to be on the safe side and just change the message a bit and remove the deprecation warning. That way it would be a bit redundant in case of a exit but we do not loose any information either. I guess that would be your ideal solution, right? |
It wouldn't be ideal but I'm +1 on it because I think it would help a lot of people. It׳s better than what we have right now anyway. |
@Fishrock123 I am closing this for now to reduce the amount of open PRs. I am going to follow up on this in my PR #15126 very soon. If you would like to do that instead, I would very much appreciate that as well! |
Checklist
make -j4 test
(UNIX), orvcbuild test
(Windows) passesAffected core subsystem(s)
lib,src,process
Refs: #5292
Refs: nodejs/promises#26
Refs: #6355
This PR supersedes the previous PR from last year which was at #6375
This makes unhandled promise rejections exit the process though the usual exit handler if:
This is as per the current deprecation message.
Note: This is definitely not as clean as it could be. I adapted @addaleax's work directly as I was unable to make significant progress making it "nicer". I think ideally it would be closer to my initial implementation of
track_promise.cc
, but as linkedlist elements and stored somewhere innode.cc
, orenv
. I think that would be more efficient and more clean. (Alas, C++ chops are not there. 😞)Please take a look again @nodejs/ctc 😅
Edit: Big thanks to @matthewloring, @ofrobots, and @addaleax -- all of who helped me get this to even work again with the new V8 apis.
CI: https://ci.nodejs.org/job/node-test-pull-request/7006/