我想检查用户是否在我的应用程序中通过了身份验证。问题是如果我以同步方式使用它,我不希望被JS Lord诅咒。
我理想中想要的是具有功能
Api.User.isAuthenticated()
我会这样运行:
if (Api.User.isAuthenticated())
{
Views.renderDashboard()
}
else
{
Views.renderLogin()
}
现在,我将此功能实现为一个诺言,它可以正常工作,但是看起来很复杂,例如检查用户登录状态之类的简单事情。
我使用qwest库发出XHR请求。它返回promise,代码如下所示:
Api.User.isAuthenticated = function(token)
{
return qwest.get('/session', token)
}
Api.User.isAuthenticated(token)
.then(function (response) {
//
})
.catch(function (e, response) {
//
});
我应该如何解决这个问题?
最佳答案
如果您的身份验证方法需要异步,则可以尝试使用回调:
Api.User.checkAuthentication = function(token, callback) {
qwest.get('/session', token).then(function (response) {
// Check your response here, send true or false to the callback as appropriate
callback(true);
})
.catch(function (e, response) {
// You should probably notify the user of the error here, that it wasn't
// just an invalid username/password combo
callback(false);
});
}
Api.User.checkAuthentication('token', function (authenticated) {
if (authenticated) {
Views.renderDashboard();
} else {
Views.renderLogin();
}
})
整个方法可以放在一个函数中,例如
checkAuth()
,可以在需要时调用。您可以更进一步,并将回调传递给checkAuth,以便在我们检查用户是否通过身份验证时运行自定义代码。