In the following javascript code, why does the error (generated by the assignment to an non-existing object property inside the promise) not get caught by the .catch() on the promise, but does get caught by the window.onunhandledrejection function? I would like to be able to catch errors in my promises using .catch() even if they are not errors I have thought of in advance and thus haven't thought to write code to explicitly call reject().
window.onunhandledrejection = function( error ) {
console.log(error.reason);
};
function test() {
return new Promise( async function( resolve, reject ) {
objectThatDoesntExist.property = 1;
} );
}
test().catch( (error) => { console.log("Caught " + error) } );
Remove the
async
from thenew Promise( async function( ...))
and it works as expected. Thatasync
is catching the exception and turning it into a rejected promise which the promise is not expecting. It is not part of the contract with thenew Promise()
constructor that you pass it a function that returns a promise that it should pay attention to.Instead, the Promise constructor catches synchronous exceptions in the executor function or waits for you to call the
resolve()
orreject()
callbacks and pays zero attention to whatever is returned from the executor callback function.You can see here that if you remove the
async
keyword, then it works as expected and the exception is caught in the.catch()
.Note: One might ask "why" the Promise constructor doesn't support the case when it's made
async
. It seems like a promise-friendly thing to do. I don't know the actual logic that went into the decision not to support that, but I do know that whenever you're usingasync
inside anew Promise()
executor function, that's typically a sign that you don't need thenew Promise()
wrapper at all. If you're usingasync
for a reason, then you already have promises. If you already have promises, then you typically don't need to wrap it innew Promise()
as you can use/return the promises you already have.