【发布时间】:2019-01-03 07:49:16
【问题描述】:
我有两个应用程序
- 基于 ASP.NET MVC 构建的客户端应用程序
- 基于 Web API + OWIN 构建的身份验证服务器
已计划如下身份验证
- 对于用户登录,客户端应用程序将使用登录凭据向身份验证服务器发出请求。
- 身份验证服务器将生成一个令牌并将其发送回客户端应用程序。
- 客户端应用程序将该令牌存储在本地存储中。
- 对于每个后续请求,客户端应用程序将附加令牌,该令牌保存在请求标头中的本地存储中。
现在,在 CLEINT 应用程序的服务器端,我需要验证每个请求附带的令牌未经过调和。
- 请建议我如何在每个请求中验证令牌,因为我不知道 OWIN 用于生成令牌的密钥。
- 编写代码来验证客户端应用程序上的令牌是正确的,或者它应该在身份验证服务器上。
- 我打算转移所有用户管理代码,例如注册用户,将密码更改为身份验证服务器,以便我们可以将其重新用于不同的客户端应用程序 - 这是正确的设计实践吗?
到目前为止,我已经编写了以下代码来创建 POC。
==========================OWIN配置========
[assembly: OwinStartup(typeof(WebApi.App_Start.Startup))]
namespace WebApi.App_Start
{
public class Startup
{
public void Configuration(IAppBuilder app)
{
HttpConfiguration config = new HttpConfiguration();
ConfigureOAuth(app);
WebApiConfig.Register(config);
app.UseCors(Microsoft.Owin.Cors.CorsOptions.AllowAll);
app.UseWebApi(config);
}
public void ConfigureOAuth(IAppBuilder app)
{
OAuthAuthorizationServerOptions OAuthServerOptions = new OAuthAuthorizationServerOptions()
{
AllowInsecureHttp = false,
TokenEndpointPath = new PathString("/token"),
AccessTokenExpireTimeSpan = TimeSpan.FromDays(1),
Provider = new SimpleAuthorizationServerProvider(),
};
// Token Generation
app.UseOAuthAuthorizationServer(OAuthServerOptions);
app.UseOAuthBearerAuthentication(new
OAuthBearerAuthenticationOptions());
}
}
}
==============================oAuth Provided========================
public class SimpleAuthorizationServerProvider: OAuthAuthorizationServerProvider
{
public override async Task ValidateClientAuthentication(OAuthValidateClientAuthenticationContext context)
{
context.Validated();
}
public override async Task GrantResourceOwnerCredentials(OAuthGrantResourceOwnerCredentialsContext context)
{
context.OwinContext.Response.Headers.Add("Access-Control-Allow-Origin", new[] { "*" });
using (AuthRepository _repo = new AuthRepository())
{
IdentityUser user = _repo.FindUser(context.UserName, context.Password);
if (user == null)
{
context.SetError("invalid_grant", "The user name or password is incorrect.");
return;
}
}
var identity = new ClaimsIdentity(context.Options.AuthenticationType);
identity.AddClaim(new Claim("sub", context.UserName));
identity.AddClaim(new Claim("role", "user"));
context.Validated(identity);
}
}
请帮忙,
谢谢,
@保罗
【问题讨论】:
-
不要将本地存储用于身份验证令牌,这不安全。最好用饼干。 owasp.org/index.php/HTML5_Security_Cheat_Sheet#Local_Storage
标签: c# asp.net-web-api owin http-token-authentication