-
Notifications
You must be signed in to change notification settings - Fork 29.7k
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
Implement unhandled rejection tracking #758
Implement unhandled rejection tracking #758
Conversation
Awesome! I think this is the least argumentive way to go forward requiring the least changes to core. (cc @paulirish ) |
} else if (event === kPromiseHandlerAddedAfterReject) { | ||
rejectionHandled(promise); | ||
} else { | ||
require('assert').fail('unexpected PromiseRejectEvent'); |
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.
Why not throw new Error('unexpected PromiseRejectEvent')
which is basically what this does?
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.
This throws AssertionError
, I think it's an important difference.
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.
Yeah, asserts are fine when something is not supposed to happen.
We clearly have a misunderstanding about diff --git a/src/env-inl.h b/src/env-inl.h
index c5f2328..27e09cd 100644
--- a/src/env-inl.h
+++ b/src/env-inl.h
@@ -331,6 +331,14 @@ inline Environment::IsolateData* Environment::isolate_data() const {
return isolate_data_;
}
+inline void Environment::RunAfterLoopCallback() {
+ v8::Handle<v8::Function> callback = this->after_loop_callback();
+
+ if (!callback.IsEmpty()) {
+ callback->Call(this->process_object(), 0, nullptr);
+ }
+}
+
// this would have been a template function were it not for the fact that g++
// sometimes fails to resolve it...
#define THROW_ERROR(fun) \
diff --git a/src/env.h b/src/env.h
index 4a4eaa3..75f6703 100644
--- a/src/env.h
+++ b/src/env.h
@@ -215,6 +215,7 @@ namespace node {
V(zero_return_string, "ZERO_RETURN") \
#define ENVIRONMENT_STRONG_PERSISTENT_PROPERTIES(V) \
+ V(after_loop_callback, v8::Function) \
V(async_hooks_init_function, v8::Function) \
V(async_hooks_pre_function, v8::Function) \
V(async_hooks_post_function, v8::Function) \
@@ -398,6 +399,8 @@ class Environment {
inline bool printed_error() const;
inline void set_printed_error(bool value);
+ inline void RunAfterLoopCallback();
+
inline void ThrowError(const char* errmsg);
inline void ThrowTypeError(const char* errmsg);
inline void ThrowRangeError(const char* errmsg);
diff --git a/src/node.cc b/src/node.cc
index 990feea..cf8298b 100644
--- a/src/node.cc
+++ b/src/node.cc
@@ -1002,6 +1002,16 @@ void SetupPromises(const FunctionCallbackInfo<Value>& args) {
FIXED_ONE_BYTE_STRING(args.GetIsolate(), "_setupPromises"));
}
+void SetAfterLoopCallback(const FunctionCallbackInfo<Value>& args) {
+ Environment* env = Environment::GetCurrent(args);
+
+ if (args[0]->IsFunction()) {
+ env->set_after_loop_callback(args[0].As<Function>());
+ }
+
+}
+
+
Handle<Value> MakeCallback(Environment* env,
Handle<Value> recv,
@@ -2779,6 +2789,8 @@ void SetupProcessObject(Environment* env,
env->SetMethod(process, "_setupPromises", SetupPromises);
env->SetMethod(process, "_setupDomainUse", SetupDomainUse);
+ env->SetMethod(process, "_setAfterLoopCallback", SetAfterLoopCallback);
+
// pre-set _events object for faster emit checks
process->Set(env->events_string(), Object::New(env->isolate()));
}
@@ -3710,6 +3722,7 @@ int Start(int argc, char** argv) {
bool more;
do {
more = uv_run(env->event_loop(), UV_RUN_ONCE);
+ env->RunAfterLoopCallback();
if (more == false) {
EmitBeforeExit(env);
@@ -3718,6 +3731,7 @@ int Start(int argc, char** argv) {
more = uv_loop_alive(env->event_loop());
if (uv_run(env->event_loop(), UV_RUN_NOWAIT) != 0)
more = true;
+ env->RunAfterLoopCallback();
}
} while (more == true);
code = EmitExit(env);
diff --git a/src/node.js b/src/node.js
index a8278c1..51b26b8 100644
--- a/src/node.js
+++ b/src/node.js
@@ -395,6 +395,7 @@
// this should be kept in sync with PromiseRejectEvent in v8.h
var kPromiseRejectWithNoHandler = 0;
var kPromiseHandlerAddedAfterReject = 1;
+ var pendingRejections = new Map();
function promiseRejectCallback(event, promise, value) {
@@ -406,19 +407,43 @@
function promiseRejectWithNoHandlerCallback(promise, value) {
var rejection = new PromiseRejection(promise, value);
- process.emit('unhandledPromiseRejection', promise, rejection);
-
- if (!rejection.isHandled()) {
- process.nextTick(function() {
- throw value;
- });
- }
+ pendingRejections.set(promise, rejection);
+
+ // process.emit('unhandledPromiseRejection', promise, rejection);
+ //
+ // if (!rejection.isHandled()) {
+ // process.nextTick(function() {
+ // throw value;
+ // });
+ // }
}
function promiseHandlerAddedAfterRejectCallback(promise) {
- process.emit('unhandledPromiseRejectionHandled', promise);
+ var pendingRejection = pendingRejections.get(promise);
+
+ if (pendingRejection) {
+ pendingRejections.delete(promise);
+ } else {
+ process.emit('unhandledPromiseRejectionHandled', promise);
+ }
+
}
+ process._setAfterLoopCallback(function() {
+
+ for (let rejection of pendingRejections.values()) {
+ process.emit('unhandledPromiseRejection', rejection.promise, rejection);
+
+ if (!rejection.isHandled()) {
+ process.nextTick(function() {
+ throw rejection.value;
+ });
+ }
+ }
+
+ pendingRejections.clear();
+ });
+
function PromiseRejection(promise, value) {
this.promise = promise;
this.value = value;
|
An example of nondeterministic behaviour: process.on('unhandledRejection', function() {
console.log('unhandledRejection');
});
var p = Promise.reject();
setImmediate(function() {
var a = Promise.reject();
process.nextTick(function() {
a.catch(function(){});
});
}); Logs |
@vkurchatkin good example - @petkaantonov why is the wait not promise specific? Is firing one per promise expensive? |
@vkurchatkin the WeakMap and array are because there are two distinct collections here - one holding the promises to be reported at the next turn as unhandled - it's life duration is one turn and it should not hold references to promises for longer than that. The other is a map of all unhandled rejections so we can report them as handled - this has to retain a reference to these promises for all eternity but it must not hold a strong reference to the promises since that would interfere with GC (if something was GC'd it's impossible for it to be later handled). If we use a regular map either we don't retain promises long enough or we leak because we keep a reference to them |
we don't need this. We have a map, we emit events for every rejection in the map and clear it. After that, if we receive |
@vkurchatkin using the afterLoopCallback these will have different behavior: var p = Promise.reject()
setImmediate(function() {
p.catch(function(){});
}); setImmediate(function() {
p.catch(function(){});
});
var p = Promise.reject() It also occasionally causes all the tests to fail. |
#758 (comment) is an interesting example. As far as I can tell @petkaantonov is basically following https://gist.github.com/domenic/9b40029f59f29b822f3b#promise-error-handling-hooks-rough-spec-algorithm (with setImmediate = notify-rejected task... not sure why it's setImmediate + process.nextTick though?). So if we want to eliminate that example, which we almost certainly do, then we should probably fix the spec in that case. |
That is only because I was using nextTick as a generic micro task scheduler, when I use Promise.resolve().then(fn) as microtask scheduler, it works |
@petkaantonov can you help me undesrstand why you do setImmediate + schedule a microtask, instead of just doing the work directly inside setImmediate? |
Also if it is necessary you may be able to use V8 natives to do the equivalent semantically without creating two promises: https://code.google.com/p/v8/source/browse/branches/bleeding_edge/src/promise.js#120 |
So that var p = Promise.reject()
setImmediate(function() {
p.catch(function(){});
}); setImmediate(function() {
p.catch(function(){});
});
var p = Promise.reject() Give the same result |
Basically as soon as you write |
That makes sense. However it's kind of a losing game, right? E.g. now you've just pushed off the problem so that var p = Promise.reject();
setImmediate(function() {
Promise.resolve().then(function () {
p.catch(function(){});
});
}); vs. setImmediate(function() {
Promise.resolve().then(function () {
p.catch(function(){});
});
});
var p = Promise.reject(); give different results. |
Oh right. Well, what I want is basically scheduleMacroTaskAfterAllOtherMacroTasks |
Yeah I see. I think we should either do that or we should give up and let it be order-dependent. |
I should be able to add internal method that adds to setImmediate's "late queue". (it doesn't exist probably) |
@petkaantonov what's so bad about a |
@benjamingr Even using common.asyncTest(function(done) {
var e = new Error();
onUnhandledFail(done);
setImmediate(function() {
var a = Promise.reject();
process.nextTick(function() {
a.catch(function(){});
});
})
}); |
Given that I never care about looking dumb.... @petkaantonov, what about |
That causes this to fail common.asyncTest(function(done) {
var e = new Error();
onUnhandledFail(done);
var _reject;
var promise = new Promise(function(_, reject) {
_reject = reject;
});
setImmediate(function() {
promise.then(assert.fail, function(){});
});
_reject(e);
}); FWIW the best behavior I got was using setImmediate with V8 microtask from promise. Any other combination I tried fails in mythical ways, almost as if setImmediate, setTimeout and nextTick were coupled in some strange ways. |
Right, so a quick recap on where this PR stands. Open issues with the PR:
Things that are interesting to talk about as a result of the PR but should not postpone it:
|
afa3db4
to
55bfe7c
Compare
Rebased, fixed issues and squashed all commits into one |
var kPromiseHandlerAddedAfterReject = 1; | ||
|
||
var timers = NativeModule.require('timers'); | ||
var pendingRejections = []; |
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 it better than Map
?
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.
@vkurchatkin not that it should matter that much but it's much faster than a map and the performance is more predictable from what I understand. Especially since all you do to it anyway is just iterate it once.
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'm worried about splicing
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.
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.
for..of
prevents optimizations, but what about forEach
?
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.
Yes splicing is slow too (can implement custom splice if you need), but nothing compared to using maps and iterator protocols.
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.
It's not about optimizations but how the iterator protocol is specified - every iteration allocates an object with done and value properties. However forEach could be interesting as V8 shares the iteration object between iterations. But the main reason of using array is that it's going to be small in practice, typically 0 or 2 items.
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.
see #525. for..of
is much slower than iterating manually, though we reused IterationResult
objects
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.
@petkaantonov I'm not sure what that twit proves or shows. @vkurchatkin said he is worried about the impact of .splice
ing for removing from the array.
At the moment deleting from a map does this - removing from an OrderedHashMap which in turn inherits from OrderedHashTable which has a Remove implemented in objects.cc line 16104 calling RemoveEntry in L16207 which puts a hole in the map where the entry was. The crux here is that ECMAScript maps are ordered by insertion order so they have to maintain order anyway - so there is something akin to an array splice going on anyway - even if v8 will improve its implementation.
For sizes this big it shouldn't matter very much anyway since rejections are rare. If we want performance that is at the theoretical bound of a map we can put null
s in the array instead of splicing and skipping them during iteration - like a map does.
1d3f3db
to
84006f2
Compare
@bnoordhuis would be really unhappy with long lines :) |
Awesome, great work everyone and especially @petkaantonov and @vkurchatkin - it was a long issue + spec + pr + 300 comment road to cross but I think we learned a lot in the process and the semantics formed quite nicely. |
Implement unhandled rejection tracking for promises as specified in https://gist.github.com/benjamingr/0237932cee84712951a2 Fixes #256 PR-URL: #758 Reviewed-By: Trevor Norris <[email protected]> Reviewed-By: Ben Noordhuis <[email protected]> Reviewed-By: Domenic Denicola <[email protected]>
landed in 872702d pretty sure @petkaantonov earns a collaborator spot for persisting with this, thanks @petkaantonov and others who contributed! |
It's just occurred to me that this is missing docs, could someone qualified please write some up and submit a PR? would be really good to have that in prior to a release #932 (tomorrow?) |
Awesome! If my opinion counts I definitely think @petkaantonov deserves a collaborator spot - this and other PRs show that he has a lot to offer to io.js in terms of APIhelp and performance. @rvagg already made a docs PR :) (Whoops, I pulled against the wrong fork, here it is now #946 ) |
Implement unhandled rejection tracking for promises as specified in https://gist.github.com/benjamingr/0237932cee84712951a2 Fixes nodejs#256 PR-URL: nodejs#758 Reviewed-By: Trevor Norris <[email protected]> Reviewed-By: Ben Noordhuis <[email protected]> Reviewed-By: Domenic Denicola <[email protected]>
Amazing work being done. This is Open Source. |
Notable changes: * process / promises: An'unhandledRejection' event is now emitted on process whenever a Promise is rejected and no error handler is attached to the Promise within a turn of the event loop. A 'rejectionHandled' event is now emitted whenever a Promise was rejected and an error handler was attached to it later than after an event loop turn. See the process documentation for more detail. #758 (Petka Antonov) * streams: you can now use regular streams as an underlying socket for tls.connect() #758 (Fedor Indutny) * V8: Upgrade V8 to 4.1.0.21. Includes an embargoed fix, details should be available at https://code.google.com/p/chromium/issues/detail?id=430201 when embargo is lifted. A breaking ABI change has been held back from this upgrade, possibly to be included when io.js merges V8 4.2. See #952 for discussion. * npm: Upgrade npm to 2.6.0. Includes features to support the new registry and to prepare for npm@3. See npm CHANGELOG.md https://github.com/npm/npm/blob/master/CHANGELOG.md#v260-2015-02-12 for details. * libuv: Upgrade to 1.4.1. See libuv ChangeLog https://github.com/libuv/libuv/blob/v1.x/ChangeLog for details of fixes.
Notable changes: * process / promises: An'unhandledRejection' event is now emitted on process whenever a Promise is rejected and no error handler is attached to the Promise within a turn of the event loop. A 'rejectionHandled' event is now emitted whenever a Promise was rejected and an error handler was attached to it later than after an event loop turn. See the process documentation for more detail. #758 (Petka Antonov) * streams: you can now use regular streams as an underlying socket for tls.connect() #758 (Fedor Indutny) * http: A new 'abort' event emitted when a http.ClientRequest is aborted by the client. #945 (Evan Lucas) * V8: Upgrade V8 to 4.1.0.21. Includes an embargoed fix, details should be available at https://code.google.com/p/chromium/issues/detail?id=430201 when embargo is lifted. A breaking ABI change has been held back from this upgrade, possibly to be included when io.js merges V8 4.2. See #952 for discussion. * npm: Upgrade npm to 2.6.0. Includes features to support the new registry and to prepare for npm@3. See npm CHANGELOG.md https://github.com/npm/npm/blob/master/CHANGELOG.md#v260-2015-02-12 for details. * libuv: Upgrade to 1.4.2. See libuv ChangeLog https://github.com/libuv/libuv/blob/v1.x/ChangeLog for details of fixes.
Politely pinging parties involved in this to invite them to participate in https://github.com/nodejs/promises |
Implement unhandled rejection tracking for promises as
specified in https://gist.github.com/benjamingr/0237932cee84712951a2
Fixes #256
Note that I did not implement any default action - so errors are still
swallowed by default and many developers are therefore not going
to discover the hooks. My recommendation would be by default
to log the error as
"Potentially unhandled: " + error.stack
(andfor example
"no stack trace"
for non-errors).These hooks are enough to implement any kind of error handling scheme, including
log-on-gc (needs native module I think).
@domenic , @rvagg , @vkurchatkin , @benjamingr ,@bnoordhuis