using MyCore.Interfaces.DTO;
using MyCore.Service.Services;
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc;
using Microsoft.Extensions.Logging;
using Microsoft.Net.Http.Headers;
using NSwag.Annotations;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Threading.Tasks;
namespace MyCore.Service.Controllers
{
///
/// Authentication controller
///
[ApiController, Route("api/[controller]")]
[Authorize]
[OpenApiTag("Authentication", Description = "Authentication management")]
public class AuthenticationController : ControllerBase
{
private readonly ILogger _logger;
private readonly TokensService _tokensService;
///
/// Constructor
///
/// Logger
/// Tokens service
public AuthenticationController(ILogger logger, TokensService tokensService)
{
_logger = logger;
_tokensService = tokensService;
}
private ActionResult Authenticate(string email, string password)
{
try
{
var token = _tokensService.Authenticate(email.ToLower(), password);
return Ok(token);
}
/*catch (UnauthorizedAccessException ex)
{
_logger?.LogError(ex, $"Authentication error for user '{email}': unauthorized access");
return Unauthorized(ex);
}*/
catch (Exception ex)
{
_logger?.LogError(ex, $"Authenticate error for user '{email}'");
return Problem($"Authenticate error for user '{email}': {ex.Message}");
}
}
///
/// Authenticate with form parameters (used by Swagger test client)
///
/// Swagger token request
/// Token descriptor
[AllowAnonymous]
[HttpPost("Token")]
[Consumes("application/x-www-form-urlencoded")]
[SwaggerResponse(HttpStatusCode.OK, typeof(LoginDTO), Description = "Success")]
[SwaggerResponse(HttpStatusCode.Unauthorized, typeof(string), Description = "Invalid credentials")]
[SwaggerResponse(HttpStatusCode.InternalServerError, typeof(string), Description = "Error")]
public ActionResult AuthenticateWithForm([FromForm] SwaggerTokenRequest tokenRequest)
{
return Authenticate(tokenRequest.username, tokenRequest.password);
}
///
/// Authenticate with Json parameters (used by most clients)
///
/// Login DTO
/// Token descriptor
[AllowAnonymous]
[HttpPost("Authenticate")]
[Consumes("application/json")]
[SwaggerResponse(HttpStatusCode.OK, typeof(LoginDTO), Description = "Success")]
[SwaggerResponse(HttpStatusCode.Unauthorized, typeof(string), Description = "Invalid credentials")]
[SwaggerResponse(HttpStatusCode.InternalServerError, typeof(string), Description = "Error")]
public ActionResult AuthenticateWithJson([FromBody] LoginDTO login)
{
return Authenticate(login.Email.ToLower(), login.Password);
}
}
}