Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to properly handle server side errors?

I'm developing web app with angular.js, I'm currently a little confused about what's the proper way to handle errors. In my app, I have used ngResource to call rest API of server. So I'll have a lot of ngResource api calls.

e.g. user resource, there're user.query( ), user.get( ) , user.save( ) ...... Do I suppose to put an error callback into all of the ngResource api calls? Just to handle all kinds of errors: like server down or no internet access ??

I just don't think put an error callback in every ngResource api call is a good idea. That'll produce a lot of redundant code and make my code not neat .

What will you do to handle various error types?

like image 828
Aaron Shen Avatar asked Jan 12 '23 09:01

Aaron Shen


1 Answers

You can use an interceptor and do whatever you want when an error occured :

var app = angular.module("myApp", []);

app.config(function ($provide, $httpProvider) {
    $provide.factory('ErrorInterceptor', function ($q) {
        return {
            responseError: function(rejection) {
                console.log(rejection);
                return $q.reject(rejection);
            }
        };
    });

    $httpProvider.interceptors.push('ErrorInterceptor');
});

With this interceptor you can read the status code and do what you need (a perfect use case is to redirect your user to a login page if status code is 401).

Since ngResource use $http, your interceptors will also be executed when you call a resource method.

Of course, you can do more and add an interceptor before / after a request is made.

See the full documentation here : http://docs.angularjs.org/api/ng.$http

See this fiddle : http://jsfiddle.net/4Buyn/ for a working sample.

like image 181
Mickael Avatar answered Jan 21 '23 21:01

Mickael