There are some things you need to be aware of when handling exceptions in promises. If you are not careful an exception can be swallowed and the caller of the promise will never known an exception occured.
Therefore you should always take the following rules into account:
- Add global exception handling to your promise chain by ending with a catch block.
- Return a rejected promise if you want to maintain the exception in the promise chain.
So don’t do this:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
function getCustomer(id) { | |
return $http.get('/api/customer/' + id) | |
.then(extractCustomerData) | |
.catch(getCustomerFailed); | |
function getCustomerData(data) { | |
return data.data; | |
} | |
function getCustomerFailed(e) { | |
// Do something with the exception | |
// Notice there is no return of the rejected promise | |
} | |
} |
Instead return a rejected promise in your catch block:
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
function getCustomer(id) { | |
return $http.get('/api/customer/' + id) | |
.then(extractCustomerData) | |
.catch(getCustomerFailed); | |
function extractCustomerData(data) { | |
return data.data; | |
} | |
function getCustomerFailed(e) { | |
//return a rejected promise | |
return $q.reject(e); | |
} | |
} | |
More information: http://odetocode.com/blogs/scott/archive/2015/10/01/javascript-promises-and-error-handling.aspx