Trabalhando com a fabulosa resposta de Matt Dekrey , criei um exemplo completo de autenticação baseada em token, trabalhando no ASP.NET Core (1.0.1). Você pode encontrar o código completo neste repositório no GitHub (ramificações alternativas para 1.0.0-rc1 , beta8 , beta7 ), mas, resumidamente, as etapas importantes são:
Gere uma chave para seu aplicativo
No meu exemplo, eu gero uma chave aleatória cada vez que o aplicativo é iniciado, você precisa gerar uma e armazená-la em algum lugar e fornecê-la ao seu aplicativo. Veja este arquivo para saber como estou gerando uma chave aleatória e como você pode importá-la de um arquivo .json . Conforme sugerido nos comentários de @kspearrin, a API de proteção de dados parece ser um candidato ideal para gerenciar as chaves "corretamente", mas ainda não resolvi se isso é possível. Envie uma solicitação de recebimento se você trabalhar com isso!
Startup.cs - ConfigureServices
Aqui, precisamos carregar uma chave privada para que nossos tokens sejam assinados, os quais também usaremos para verificar os tokens conforme eles são apresentados. Estamos armazenando a chave em uma variável em nível de classe key
que reutilizaremos no método Configure abaixo. TokenAuthOptions é uma classe simples que contém a identidade de assinatura, o público e o emissor que precisaremos no TokenController para criar nossas chaves.
// Replace this with some sort of loading from config / file.
RSAParameters keyParams = RSAKeyUtils.GetRandomKey();
// Create the key, and a set of token options to record signing credentials
// using that key, along with the other parameters we will need in the
// token controlller.
key = new RsaSecurityKey(keyParams);
tokenOptions = new TokenAuthOptions()
{
Audience = TokenAudience,
Issuer = TokenIssuer,
SigningCredentials = new SigningCredentials(key, SecurityAlgorithms.Sha256Digest)
};
// Save the token options into an instance so they're accessible to the
// controller.
services.AddSingleton<TokenAuthOptions>(tokenOptions);
// Enable the use of an [Authorize("Bearer")] attribute on methods and
// classes to protect.
services.AddAuthorization(auth =>
{
auth.AddPolicy("Bearer", new AuthorizationPolicyBuilder()
.AddAuthenticationSchemes(JwtBearerDefaults.AuthenticationScheme)
.RequireAuthenticatedUser().Build());
});
Também estabelecemos uma política de autorização para permitir o uso [Authorize("Bearer")]
nos pontos de extremidade e classes que desejamos proteger.
Startup.cs - Configurar
Aqui, precisamos configurar o JwtBearerAuthentication:
app.UseJwtBearerAuthentication(new JwtBearerOptions {
TokenValidationParameters = new TokenValidationParameters {
IssuerSigningKey = key,
ValidAudience = tokenOptions.Audience,
ValidIssuer = tokenOptions.Issuer,
// When receiving a token, check that it is still valid.
ValidateLifetime = true,
// This defines the maximum allowable clock skew - i.e.
// provides a tolerance on the token expiry time
// when validating the lifetime. As we're creating the tokens
// locally and validating them on the same machines which
// should have synchronised time, this can be set to zero.
// Where external tokens are used, some leeway here could be
// useful.
ClockSkew = TimeSpan.FromMinutes(0)
}
});
TokenController
No controlador de token, você precisa ter um método para gerar chaves assinadas usando a chave que foi carregada no Startup.cs. Como registramos uma instância TokenAuthOptions na inicialização, precisamos injetar isso no construtor do TokenController:
[Route("api/[controller]")]
public class TokenController : Controller
{
private readonly TokenAuthOptions tokenOptions;
public TokenController(TokenAuthOptions tokenOptions)
{
this.tokenOptions = tokenOptions;
}
...
Em seguida, você precisará gerar o token em seu manipulador para o terminal de logon. No meu exemplo, estou usando um nome de usuário e uma senha e validando aqueles usando uma instrução if, mas a principal coisa que você precisa fazer é criar ou carregar uma declaração baseada em identidade e gere o token para isso:
public class AuthRequest
{
public string username { get; set; }
public string password { get; set; }
}
/// <summary>
/// Request a new token for a given username/password pair.
/// </summary>
/// <param name="req"></param>
/// <returns></returns>
[HttpPost]
public dynamic Post([FromBody] AuthRequest req)
{
// Obviously, at this point you need to validate the username and password against whatever system you wish.
if ((req.username == "TEST" && req.password == "TEST") || (req.username == "TEST2" && req.password == "TEST"))
{
DateTime? expires = DateTime.UtcNow.AddMinutes(2);
var token = GetToken(req.username, expires);
return new { authenticated = true, entityId = 1, token = token, tokenExpires = expires };
}
return new { authenticated = false };
}
private string GetToken(string user, DateTime? expires)
{
var handler = new JwtSecurityTokenHandler();
// Here, you should create or look up an identity for the user which is being authenticated.
// For now, just creating a simple generic identity.
ClaimsIdentity identity = new ClaimsIdentity(new GenericIdentity(user, "TokenAuth"), new[] { new Claim("EntityID", "1", ClaimValueTypes.Integer) });
var securityToken = handler.CreateToken(new Microsoft.IdentityModel.Tokens.SecurityTokenDescriptor() {
Issuer = tokenOptions.Issuer,
Audience = tokenOptions.Audience,
SigningCredentials = tokenOptions.SigningCredentials,
Subject = identity,
Expires = expires
});
return handler.WriteToken(securityToken);
}
E deve ser isso. Basta adicionar [Authorize("Bearer")]
a qualquer método ou classe que você deseja proteger e você receberá um erro se tentar acessá-lo sem a presença de um token. Se você deseja retornar um erro 401 em vez de 500, será necessário registrar um manipulador de exceção personalizado, como eu tenho no meu exemplo aqui .