AngularJS:将服务注入HTTP拦截器(循环依赖)

我正在尝试为我的AngularJS应用程序编写一个HTTP拦截器来处理身份验证。

此代码有效,但我担心手动注入服务,因为我认为Angular应该自动处理:

    app.config(['$httpProvider', function ($httpProvider) {
    $httpProvider.interceptors.push(function ($location, $injector) {
        return {
            'request': function (config) {
                //injected manually to get around circular dependency problem.
                var AuthService = $injector.get('AuthService');
                console.log(AuthService);
                console.log('in request interceptor');
                if (!AuthService.isAuthenticated() && $location.path != '/login') {
                    console.log('user is not logged in.');
                    $location.path('/login');
                }
                return config;
            }
        };
    })
}]);

我开始做的事情,但遇到了循环依赖问题:

    app.config(function ($provide, $httpProvider) {
    $provide.factory('HttpInterceptor', function ($q, $location, AuthService) {
        return {
            'request': function (config) {
                console.log('in request interceptor.');
                if (!AuthService.isAuthenticated() && $location.path != '/login') {
                    console.log('user is not logged in.');
                    $location.path('/login');
                }
                return config;
            }
        };
    });

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

我担心的另一个原因是Angular Docs中的$ http部分似乎显示了一种获取依赖关系的方法,将“常规方式”注入到Http拦截器中。 在“拦截器”下查看他们的代码片段:

// register the interceptor as a service
$provide.factory('myHttpInterceptor', function($q, dependency1, dependency2) {
  return {
    // optional method
    'request': function(config) {
      // do something on success
      return config || $q.when(config);
    },

    // optional method
   'requestError': function(rejection) {
      // do something on error
      if (canRecover(rejection)) {
        return responseOrNewPromise
      }
      return $q.reject(rejection);
    },



    // optional method
    'response': function(response) {
      // do something on success
      return response || $q.when(response);
    },

    // optional method
   'responseError': function(rejection) {
      // do something on error
      if (canRecover(rejection)) {
        return responseOrNewPromise
      }
      return $q.reject(rejection);
    };
  }
});

$httpProvider.interceptors.push('myHttpInterceptor');

上面的代码应该去哪里?

我想我的问题是做这件事的正确方法是什么?

谢谢,我希望我的问题很清楚。


您在$ http和AuthService之间存在循环依赖关系。

通过使用$injector服务正在做的是通过延迟$ http对AuthService的依赖来解决egg-and-egg问题。

我相信你所做的实际上是最简单的做法。

你也可以这样做:

  • 稍后注册拦截器(在run()块而不是config()块中执行此操作可能已经有所诀窍)。 但是,你能保证$ http尚未被调用吗?
  • 通过调用AuthService.setHttp()或其他方法注册拦截器时,手动将“$ http”注入到AuthService中。
  • ...

  • 这就是我最终做的

      .config(['$httpProvider', function ($httpProvider) {
            //enable cors
            $httpProvider.defaults.useXDomain = true;
    
            $httpProvider.interceptors.push(['$location', '$injector', '$q', function ($location, $injector, $q) {
                return {
                    'request': function (config) {
    
                        //injected manually to get around circular dependency problem.
                        var AuthService = $injector.get('Auth');
    
                        if (!AuthService.isAuthenticated()) {
                            $location.path('/login');
                        } else {
                            //add session_id as a bearer token in header of all outgoing HTTP requests.
                            var currentUser = AuthService.getCurrentUser();
                            if (currentUser !== null) {
                                var sessionId = AuthService.getCurrentUser().sessionId;
                                if (sessionId) {
                                    config.headers.Authorization = 'Bearer ' + sessionId;
                                }
                            }
                        }
    
                        //add headers
                        return config;
                    },
                    'responseError': function (rejection) {
                        if (rejection.status === 401) {
    
                            //injected manually to get around circular dependency problem.
                            var AuthService = $injector.get('Auth');
    
                            //if server returns 401 despite user being authenticated on app side, it means session timed out on server
                            if (AuthService.isAuthenticated()) {
                                AuthService.appLogOut();
                            }
                            $location.path('/login');
                            return $q.reject(rejection);
                        }
                    }
                };
            }]);
        }]);
    

    注意: $injector.get调用应该在拦截器的方法中,如果你尝试在其他地方使用它们,你将继续在JS中获得循环依赖错误。


    我认为直接使用$注入器是一个反模式。

    打破循环依赖的一种方法是使用事件:注入$ rootScope而不是注入$ state。 不要直接重定向,要做

    this.$rootScope.$emit("unauthorized");
    

    angular
        .module('foo')
        .run(function($rootScope, $state) {
            $rootScope.$on('unauthorized', () => {
                $state.transitionTo('login');
            });
        });
    
    链接地址: http://www.djcxy.com/p/77855.html

    上一篇: AngularJS: Injecting service into a HTTP interceptor (Circular dependency)

    下一篇: Can an AngularJS controller inherit from another controller in the same module?