Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to override $exceptionHandler implementation

There are some extra things we want to do anytime a javascript exception is thrown.

From the docs on $exceptionHandler:

Any uncaught exception in angular expressions is delegated to this service. The default implementation simply delegates to $log.error which logs it into the browser console.

The fact that it says "default implementation" makes me think there's a way we can provide our own implementation for the service, and do the stuff we want when an exception is thrown. My question is, how do you do this? How can we keep all exceptions going to this service, but then provide functionality we want to happen?

like image 552
dnc253 Avatar asked Nov 28 '12 00:11

dnc253


2 Answers

Another option I've found for this is to "decorate" the $exceptionHandler through the $provide.decorator function. This provides you with a reference to the original implementation if you want to use it as part of your custom implementation. So, you can do something like this:

mod.config(function($provide) {     $provide.decorator("$exceptionHandler", ['$delegate', function($delegate) {         return function(exception, cause) {             $delegate(exception, cause);             alert(exception.message);         };     }]); }); 

It will do what the original exception handler does, plus custom functionality.

See this updated fiddle.

like image 91
dnc253 Avatar answered Sep 22 '22 14:09

dnc253


You can override the $exceptionHandler functionality by creating a service with the same name:

var mod = angular.module('testApp', []);  mod.factory('$exceptionHandler', function () {     return function (exception, cause) {         alert(exception.message);     }; }); 

See this fiddle for a sample. If you comment out the factory definition for $exceptionHandler you will see the error will log to the console instead of alerting it.

Here is a group thread that has an example of injecting other services like $http using $injector.

Note: if you don't want to overwrite the existing functionality of the $exceptionHandler (or another built in service) see this answer for information on how to decorate a service.

like image 42
Gloopy Avatar answered Sep 26 '22 14:09

Gloopy