如何知道所有$ http调用是否结束 - AngularJS

时间:2017-04-04 11:06:15

标签: javascript angularjs http

我需要在处理完所有$ http调用时触发事件。我还需要知道是否有任何通话失败。我尝试在stackoverflow上使用可用的解决方案,例如使用拦截器。

angular.module('app').factory('httpInterceptor', ['$q', '$rootScope',
  function ($q, $rootScope) {
    var loadingCount = 0;

    return {
      request: function (config) {
        if(++loadingCount === 1) {
          $rootScope.$broadcast('loading:progress');
        }
        return config || $q.when(config);
      },    
      response: function (response) {
        if(--loadingCount === 0) {
          $rootScope.$broadcast('loading:finish');
        }
        return response || $q.when(response);
      },    
      responseError: function (response) {
        if(--loadingCount === 0) {
          $rootScope.$broadcast('loading:finish');
        }
        return $q.reject(response);
      }
    };
  }
]).config(['$httpProvider', function ($httpProvider) {
  $httpProvider.interceptors.push('httpInterceptor');
}]);

但是,使用这种方法,在每次$ http调用完成后调用$rootScope.$broadcast('loading:finish')。我希望在所有$ http调用结束时触发事件。

我无法使用$q,因为我页面中的$http调用属于各种指令,并且不会在同一个控制器中调用。

1 个答案:

答案 0 :(得分:0)

您可以使用以下代码检查$ http的待处理请求数。我正在使用它在我的项目中显示加载微调器。

$http.pendingRequests.length

为了跟踪失败和成功通话,您可以使用以下内容:

angular.module('myApp', [])
.run(function ($rootScope){
  $rootScope.failedCalls = 0;
  $rootScope.successCalls = 0;
 })
.controller('MyCtrl', 
function($log, $scope, myService) {
 $scope.getMyListing = function(employee) {
   var promise = 
       myService.getEmployeeDetails('employees');
   promise.then(
      function(payload) { 
          $scope.listingData = payload.data;
          $rootScope.successCalls++; //Counter for success calls
      },
      function(errorPayload) {
        $log.error('failure loading employee details', errorPayload);
        $rootScope.failedCalls++; //Counter for failed calls
      });
 };
 })
 .factory('myService', function($http) {
  return {
  getEmployeeDetails: function(id) {
     return $http.get('/api/v1/employees/' + id);
  }
}
 });

基本上我创建了2个根作用域变量并将其用作计数器来维护成功和失败的调用计数,您可以在任何地方使用它们。