使用 JWT 进行 API 身份验证的 Angular 应用程序会在 API 调用返回时启动登录对话框401 "Unauthorized"
,让用户输入他的凭据并获取新的有效 JWT。然后应用程序重试失败的未经授权的请求并保持流程。
此处列出的代码基于Chris Clarke的此解决方案。
.config(['$httpProvider', function($httpProvider) {
$httpProvider.interceptors.push(['$q', '$location', '$injector', function ($q, $location, $injector) {
return {
'responseError': function(response) {
// Keep the response waiting until we get new JWT
var deferred = $q.defer();
if (response.status === 401 && response.data.error && response.data.error.message.toLowerCase() === "unauthorized") {
// JWT has expired
// Open login dialog
var cslAuth = $injector.get('cslAuth');
if (cslAuth.isLoggedIn()) {
// Logout user, next pending request will not trigger auth dialog
cslAuth.logout();
$injector.get('ngDialog').openConfirm({
template: 'web_app/views/login.html',
className: 'ngdialog-theme-default',
showClose: false,
controller: 'LoginCtrl',
cache: false
})
.then(
function(value) {
// JWT has been refreshed. Try pending request again
var config = response.config;
// Inject the new token in the Auth header
config.headers.Authentication = cslAuth.getTokenHeader();
$injector.get("$http")(config).then(
function(response){
deferred.resolve(response);
},
function(response) {
deferred.reject();
}
);
},
function(value) {
deferred.reject();
}
);
}
} else {
return $q.reject(response);
}
// Return a promise while waiting for auth refresh
return deferred.promise;
}
}
}])
}])
问题是当有多个请求使用过期令牌时。第一个返回应该触发登录对话框并获取新令牌。但是如何让其他待处理的请求等到新令牌可用?可以设置一个标志来告诉所有随后的传入响应正在请求一个新令牌。可以返回一个承诺,并且所有配置对象都可以存储在服务的数组中。当新令牌可用时,可以重试所有等待的请求。但是在新令牌可用后返回的未经授权的请求会发生什么?他们将触发一个新的登录对话框。
一些注意事项:
这个答案给出了一个相关问题的解决方案,但由于这里涉及到一个新的登录,我看不出如何使解决方案适应这种情况。
这不是自动更新令牌的选项。令牌将有 8 小时有效期(一个工作会话),并且必须重新登录。
- 在配置对象中注入服务(
cslAuth
和此处)是否安全?$http
我的代码正在运行,但我已经读过它们目前还不能完全准备好。