Глобальный обработчик ошибок Ajax с AngularJS
когда мой сайт был 100% jQuery, я использовал для этого:
$.ajaxSetup({
global: true,
error: function(xhr, status, err) {
if (xhr.status == 401) {
window.location = "./index.html";
}
}
});
установить глобальный обработчик для ошибки 401. Теперь я использую angularjs с $resource
и $http
для выполнения моих (REST) запросов к серверу. Есть ли способ аналогично установить глобальный обработчик ошибок с помощью angular?
3 ответа:
Я также создаю веб-сайт с angular, и я столкнулся с этим же препятствием для глобальной обработки 401. Я в конечном итоге с помощью HTTP-перехватчика, когда я наткнулся на это сообщение в блоге. Может быть, вы найдете его таким же полезным, как и я.
"аутентификация в приложении на основе AngularJS(или аналогичном).", espeo software
изменить: окончательное решение
angular.module('myApp', ['myApp.filters', 'myApp.services', 'myApp.directives'], function ($routeProvider, $locationProvider, $httpProvider) { var interceptor = ['$rootScope', '$q', function (scope, $q) { function success(response) { return response; } function error(response) { var status = response.status; if (status == 401) { window.location = "./index.html"; return; } // otherwise return $q.reject(response); } return function (promise) { return promise.then(success, error); } }]; $httpProvider.responseInterceptors.push(interceptor);
обратите внимание, что responseInterceptors были устарели с угловой 1.1.4. Ниже вы можете найти выдержку, основанную на официальные документы, показывая новый способ реализации перехватчиков.
$provide.factory('myHttpInterceptor', function($q, dependency1, dependency2) { return { 'response': function(response) { // do something on success return response || $q.when(response); }, 'responseError': function(rejection) { // do something on error if (canRecover(rejection)) { return responseOrNewPromise; } return $q.reject(rejection); } }; }); $httpProvider.interceptors.push('myHttpInterceptor');
вот как это выглядит в моем проекте с помощью CoffeeScript:
angular.module("globalErrors", ['appStateModule']).factory "myHttpInterceptor", ($q, $log, growl) -> response: (response) -> $log.debug "success with status #{response.status}" response || $q.when response responseError: (rejection) -> $log.debug "error with status #{rejection.status} and data: #{rejection.data['message']}" switch rejection.status when 403 growl.addErrorMessage "You don't have the right to do this" when 0 growl.addErrorMessage "No connection, internet is down?" else growl.addErrorMessage "#{rejection.data['message']}" # do something on error $q.reject rejection .config ($provide, $httpProvider) -> $httpProvider.interceptors.push('myHttpInterceptor')
создать файл
<script type="text/javascript" src="../js/config/httpInterceptor.js" ></script>
С таким содержанием:(function(){ var httpInterceptor = function ($provide, $httpProvider) { $provide.factory('httpInterceptor', function ($q) { return { response: function (response) { return response || $q.when(response); }, responseError: function (rejection) { if(rejection.status === 401) { // you are not autorized } return $q.reject(rejection); } }; }); $httpProvider.interceptors.push('httpInterceptor'); }; angular.module("myModule").config(httpInterceptor); }());