mirror of
https://github.com/Kareadita/Kavita.git
synced 2025-06-22 06:50:32 -04:00
* Updated to net7.0 * Updated GA to .net 7 * Updated System.IO.Abstractions to use New factory. * Converted Regex into SourceGenerator in Parser. * Updated more regex to source generators. * Enabled Nullability and more regex changes throughout codebase. * Parser is 100% GeneratedRegexified * Lots of nullability code * Enabled nullability for all repositories. * Fixed another unit test * Refactored some code around and took care of some todos. * Updating code for nullability and cleaning up methods that aren't used anymore. Refctored all uses of Parser.Normalize() to use new extension * More nullability exercises. 500 warnings to go. * Fixed a bug where custom file uploads for entities wouldn't save in webP. * Nullability is done for all DTOs * Fixed all unit tests and nullability for the project. Only OPDS is left which will be done with an upcoming OPDS enhancement. * Use localization in book service after validating * Code smells * Switched to preview build of swashbuckle for .net7 support * Fixed up merge issues * Disable emulate comic book when on single page reader * Fixed a regression where double page renderer wouldn't layout the images correctly * Updated to swashbuckle which support .net 7 * Fixed a bad GA action * Some code cleanup * More code smells * Took care of most of nullable issues * Fixed a broken test due to having more than one test run in parallel * I'm really not sure why the unit tests are failing or are so extremely slow on .net 7 * Updated all dependencies * Fixed up build and removed hardcoded framework from build scripts. (this merge removes Regex Source generators). Unit tests are completely busted. * Unit tests and code cleanup. Needs shakeout now. * Adjusted Series model since a few fields are not-nullable. Removed dead imports on the project. * Refactored to use Builder pattern for all unit tests. * Switched nullability down to warnings. It wasn't possible to switch due to constraint issues in DB Migration.
173 lines
6.6 KiB
C#
173 lines
6.6 KiB
C#
using System;
|
|
using System.Collections.Generic;
|
|
using System.Linq;
|
|
using System.Threading.Tasks;
|
|
using System.Web;
|
|
using API.Constants;
|
|
using API.Data;
|
|
using API.Entities;
|
|
using API.Errors;
|
|
using Microsoft.AspNetCore.Http;
|
|
using Microsoft.AspNetCore.Identity;
|
|
using Microsoft.EntityFrameworkCore;
|
|
using Microsoft.Extensions.Hosting;
|
|
using Microsoft.Extensions.Logging;
|
|
|
|
namespace API.Services;
|
|
|
|
public interface IAccountService
|
|
{
|
|
Task<IEnumerable<ApiException>> ChangeUserPassword(AppUser user, string newPassword);
|
|
Task<IEnumerable<ApiException>> ValidatePassword(AppUser user, string password);
|
|
Task<IEnumerable<ApiException>> ValidateUsername(string username);
|
|
Task<IEnumerable<ApiException>> ValidateEmail(string email);
|
|
Task<bool> HasBookmarkPermission(AppUser? user);
|
|
Task<bool> HasDownloadPermission(AppUser? user);
|
|
Task<bool> HasChangeRestrictionRole(AppUser? user);
|
|
Task<bool> CheckIfAccessible(HttpRequest request);
|
|
Task<string> GenerateEmailLink(HttpRequest request, string token, string routePart, string email, bool withHost = true);
|
|
}
|
|
|
|
public class AccountService : IAccountService
|
|
{
|
|
private readonly UserManager<AppUser> _userManager;
|
|
private readonly ILogger<AccountService> _logger;
|
|
private readonly IUnitOfWork _unitOfWork;
|
|
private readonly IHostEnvironment _environment;
|
|
private readonly IEmailService _emailService;
|
|
public const string DefaultPassword = "[k.2@RZ!mxCQkJzE";
|
|
private const string LocalHost = "localhost:4200";
|
|
|
|
public AccountService(UserManager<AppUser> userManager, ILogger<AccountService> logger, IUnitOfWork unitOfWork,
|
|
IHostEnvironment environment, IEmailService emailService)
|
|
{
|
|
_userManager = userManager;
|
|
_logger = logger;
|
|
_unitOfWork = unitOfWork;
|
|
_environment = environment;
|
|
_emailService = emailService;
|
|
}
|
|
|
|
/// <summary>
|
|
/// Checks if the instance is accessible. If the host name is filled out, then it will assume it is accessible as email generation will use host name.
|
|
/// </summary>
|
|
/// <param name="request"></param>
|
|
/// <returns></returns>
|
|
public async Task<bool> CheckIfAccessible(HttpRequest request)
|
|
{
|
|
var host = _environment.IsDevelopment() ? LocalHost : request.Host.ToString();
|
|
return !string.IsNullOrEmpty((await _unitOfWork.SettingsRepository.GetSettingsDtoAsync()).HostName) || await _emailService.CheckIfAccessible(host);
|
|
}
|
|
|
|
public async Task<string> GenerateEmailLink(HttpRequest request, string token, string routePart, string email, bool withHost = true)
|
|
{
|
|
var serverSettings = await _unitOfWork.SettingsRepository.GetSettingsDtoAsync();
|
|
var host = _environment.IsDevelopment() ? LocalHost : request.Host.ToString();
|
|
var basePart = $"{request.Scheme}://{host}{request.PathBase}/";
|
|
if (!string.IsNullOrEmpty(serverSettings.HostName))
|
|
{
|
|
basePart = serverSettings.HostName;
|
|
}
|
|
|
|
if (withHost) return $"{basePart}/registration/{routePart}?token={HttpUtility.UrlEncode(token)}&email={HttpUtility.UrlEncode(email)}";
|
|
return $"registration/{routePart}?token={HttpUtility.UrlEncode(token)}&email={HttpUtility.UrlEncode(email)}";
|
|
}
|
|
|
|
public async Task<IEnumerable<ApiException>> ChangeUserPassword(AppUser user, string newPassword)
|
|
{
|
|
var passwordValidationIssues = (await ValidatePassword(user, newPassword)).ToList();
|
|
if (passwordValidationIssues.Any()) return passwordValidationIssues;
|
|
|
|
var result = await _userManager.RemovePasswordAsync(user);
|
|
if (!result.Succeeded)
|
|
{
|
|
_logger.LogError("Could not update password");
|
|
return result.Errors.Select(e => new ApiException(400, e.Code, e.Description));
|
|
}
|
|
|
|
|
|
result = await _userManager.AddPasswordAsync(user, newPassword);
|
|
if (!result.Succeeded)
|
|
{
|
|
_logger.LogError("Could not update password");
|
|
return result.Errors.Select(e => new ApiException(400, e.Code, e.Description));
|
|
}
|
|
|
|
return new List<ApiException>();
|
|
}
|
|
|
|
public async Task<IEnumerable<ApiException>> ValidatePassword(AppUser user, string password)
|
|
{
|
|
foreach (var validator in _userManager.PasswordValidators)
|
|
{
|
|
var validationResult = await validator.ValidateAsync(_userManager, user, password);
|
|
if (!validationResult.Succeeded)
|
|
{
|
|
return validationResult.Errors.Select(e => new ApiException(400, e.Code, e.Description));
|
|
}
|
|
}
|
|
|
|
return Array.Empty<ApiException>();
|
|
}
|
|
public async Task<IEnumerable<ApiException>> ValidateUsername(string username)
|
|
{
|
|
if (await _userManager.Users.AnyAsync(x => x.NormalizedUserName == username.ToUpper()))
|
|
{
|
|
return new List<ApiException>()
|
|
{
|
|
new ApiException(400, "Username is already taken")
|
|
};
|
|
}
|
|
|
|
return Array.Empty<ApiException>();
|
|
}
|
|
|
|
public async Task<IEnumerable<ApiException>> ValidateEmail(string email)
|
|
{
|
|
var user = await _unitOfWork.UserRepository.GetUserByEmailAsync(email);
|
|
if (user == null) return Array.Empty<ApiException>();
|
|
|
|
return new List<ApiException>()
|
|
{
|
|
new ApiException(400, "Email is already registered")
|
|
};
|
|
}
|
|
|
|
/// <summary>
|
|
/// Does the user have the Bookmark permission or admin rights
|
|
/// </summary>
|
|
/// <param name="user"></param>
|
|
/// <returns></returns>
|
|
public async Task<bool> HasBookmarkPermission(AppUser? user)
|
|
{
|
|
if (user == null) return false;
|
|
var roles = await _userManager.GetRolesAsync(user);
|
|
return roles.Contains(PolicyConstants.BookmarkRole) || roles.Contains(PolicyConstants.AdminRole);
|
|
}
|
|
|
|
/// <summary>
|
|
/// Does the user have the Download permission or admin rights
|
|
/// </summary>
|
|
/// <param name="user"></param>
|
|
/// <returns></returns>
|
|
public async Task<bool> HasDownloadPermission(AppUser? user)
|
|
{
|
|
if (user == null) return false;
|
|
var roles = await _userManager.GetRolesAsync(user);
|
|
return roles.Contains(PolicyConstants.DownloadRole) || roles.Contains(PolicyConstants.AdminRole);
|
|
}
|
|
|
|
/// <summary>
|
|
/// Does the user have Change Restriction permission or admin rights
|
|
/// </summary>
|
|
/// <param name="user"></param>
|
|
/// <returns></returns>
|
|
public async Task<bool> HasChangeRestrictionRole(AppUser? user)
|
|
{
|
|
if (user == null) return false;
|
|
var roles = await _userManager.GetRolesAsync(user);
|
|
return roles.Contains(PolicyConstants.ChangePasswordRole) || roles.Contains(PolicyConstants.AdminRole);
|
|
}
|
|
|
|
}
|