Can anyone explain why success is being recorded?
In short: a .then after .catch in the Promise chain will always be executed (unless it itself contains errors).
Theoretical explanation
Your code is actually a Promise chain that runs synchronously at first, setting it to complete asynchronously after that. The Javascript engine will pass any reject() or Error to the first .then down the chain with a reject callback. The reject callback is the second function passed to .then :
.then( function (){
Using .catch is just a syntactic suger for:
.then(null, function () {
Each of .then automatically returns a new Promise , which can be affected by subsequent .then (or .catch , which are also .then 's).
Visualize your promise chain flow
You can visualize the flow of your code in the following example:
var step1 = new Promise (function (resolve, reject) { setTimeout(reject('error in step1'), 1000); }) var step2 = step1.then(null, function () { // do some error handling return 'done handling errors' }) var step3 = step2.then(function () { // do some other stuff after error handling return 'done doing other stuff' }, null) setTimeout (function () { console.log ('step1: ', step1); console.log ('step2: ', step2); console.log ('step3: ', step3); console.log(); console.log ('Asynchronous code completed') console.log(); }, 2000); console.log ('step1: ', step1); console.log ('step2: ', step2); console.log ('step3: ', step3); console.log(); console.log ('Synchronous code completed') console.log();
which at runtime will lead to the following output in the console:
step1: Promise { <rejected> 'error in step1' } step2: Promise { <pending> } step3: Promise { <pending> } Synchronous code completed step1: Promise { <rejected> 'error in step1' } step2: Promise { 'done handling errors' } step3: Promise { 'done doing other stuff' } Asynchronous code completed
rabbitco
source share