mirror of
https://github.com/btcpayserver/btcpayserver.git
synced 2025-01-18 21:32:27 +01:00
e43b4ed540
* Server Users: More precise message when inviting users This lets the admin who invited a new user know whether or not an email has been sent. If the SMTP server hasn't been set up, they need to share the invite link with the user. * Onboarding: Invite new users - Separates the user self-registration and invite cases - Adds invitation email for users created by the admin - Adds invitation tokens to verify user was invited - Adds handler action for invite links - Refactors `UserEventHostedService` * Remove duplicate status message from views that use the wizard layout * Auto-approve users created by an admin * Notify admins via email if a new account requires approval * Update wording * Fix update user error * Fix redirect to email confirmation in invite action * Fix precondition checks after signup * Improve admin notification Send notification only if the user does not require email confirmation or when they confirmed their email address. Rationale: We want to inform admins only about qualified users and not annoy them with bot registrations. * Allow approval alongside resending confirm email * Use user email in log messages instead of ID * Prevent unnecessary notification after email confirmation * Use ApplicationUser type explicitly * Fix after rebase * Refactoring: Do not subclass UserRegisteredEvent
248 lines
9.5 KiB
C#
248 lines
9.5 KiB
C#
#nullable enable
|
|
using System;
|
|
using System.Collections.Generic;
|
|
using System.Diagnostics.CodeAnalysis;
|
|
using System.Linq;
|
|
using System.Threading.Tasks;
|
|
using BTCPayServer.Client.Models;
|
|
using BTCPayServer.Data;
|
|
using BTCPayServer.Events;
|
|
using BTCPayServer.Storage.Services;
|
|
using Microsoft.AspNetCore.Identity;
|
|
using Microsoft.EntityFrameworkCore;
|
|
using Microsoft.Extensions.DependencyInjection;
|
|
using Microsoft.Extensions.Logging;
|
|
|
|
namespace BTCPayServer.Services
|
|
{
|
|
public class UserService
|
|
{
|
|
private readonly IServiceProvider _serviceProvider;
|
|
private readonly StoredFileRepository _storedFileRepository;
|
|
private readonly FileService _fileService;
|
|
private readonly EventAggregator _eventAggregator;
|
|
private readonly ApplicationDbContextFactory _applicationDbContextFactory;
|
|
private readonly ILogger<UserService> _logger;
|
|
|
|
public UserService(
|
|
IServiceProvider serviceProvider,
|
|
StoredFileRepository storedFileRepository,
|
|
FileService fileService,
|
|
EventAggregator eventAggregator,
|
|
ApplicationDbContextFactory applicationDbContextFactory,
|
|
ILogger<UserService> logger)
|
|
{
|
|
_serviceProvider = serviceProvider;
|
|
_storedFileRepository = storedFileRepository;
|
|
_fileService = fileService;
|
|
_eventAggregator = eventAggregator;
|
|
_applicationDbContextFactory = applicationDbContextFactory;
|
|
_logger = logger;
|
|
}
|
|
|
|
public async Task<List<ApplicationUserData>> GetUsersWithRoles()
|
|
{
|
|
await using var context = _applicationDbContextFactory.CreateContext();
|
|
return await (context.Users.Select(p => FromModel(p, p.UserRoles.Join(context.Roles, userRole => userRole.RoleId, role => role.Id,
|
|
(userRole, role) => role.Name).ToArray()))).ToListAsync();
|
|
}
|
|
|
|
public static ApplicationUserData FromModel(ApplicationUser data, string?[] roles)
|
|
{
|
|
return new ApplicationUserData
|
|
{
|
|
Id = data.Id,
|
|
Email = data.Email,
|
|
EmailConfirmed = data.EmailConfirmed,
|
|
RequiresEmailConfirmation = data.RequiresEmailConfirmation,
|
|
Approved = data.Approved,
|
|
RequiresApproval = data.RequiresApproval,
|
|
Created = data.Created,
|
|
Roles = roles,
|
|
Disabled = data.LockoutEnabled && data.LockoutEnd is not null && DateTimeOffset.UtcNow < data.LockoutEnd.Value.UtcDateTime
|
|
};
|
|
}
|
|
|
|
private static bool IsEmailConfirmed(ApplicationUser user)
|
|
{
|
|
return user.EmailConfirmed || !user.RequiresEmailConfirmation;
|
|
}
|
|
|
|
private static bool IsApproved(ApplicationUser user)
|
|
{
|
|
return user.Approved || !user.RequiresApproval;
|
|
}
|
|
|
|
private static bool IsDisabled(ApplicationUser user)
|
|
{
|
|
return user.LockoutEnabled && user.LockoutEnd is not null &&
|
|
DateTimeOffset.UtcNow < user.LockoutEnd.Value.UtcDateTime;
|
|
}
|
|
|
|
public static bool TryCanLogin([NotNullWhen(true)] ApplicationUser? user, [MaybeNullWhen(true)] out string error)
|
|
{
|
|
error = null;
|
|
if (user == null)
|
|
{
|
|
error = "Invalid login attempt.";
|
|
return false;
|
|
}
|
|
if (!IsEmailConfirmed(user))
|
|
{
|
|
error = "You must have a confirmed email to log in.";
|
|
return false;
|
|
}
|
|
if (!IsApproved(user))
|
|
{
|
|
error = "Your user account requires approval by an admin before you can log in.";
|
|
return false;
|
|
}
|
|
if (IsDisabled(user))
|
|
{
|
|
error = "Your user account is currently disabled.";
|
|
return false;
|
|
}
|
|
return true;
|
|
}
|
|
|
|
public async Task<bool> SetUserApproval(string userId, bool approved, Uri requestUri)
|
|
{
|
|
using var scope = _serviceProvider.CreateScope();
|
|
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<ApplicationUser>>();
|
|
var user = await userManager.FindByIdAsync(userId);
|
|
if (user is null || !user.RequiresApproval || user.Approved == approved)
|
|
{
|
|
return false;
|
|
}
|
|
|
|
user.Approved = approved;
|
|
var succeeded = await userManager.UpdateAsync(user) is { Succeeded: true };
|
|
if (succeeded)
|
|
{
|
|
_logger.LogInformation("User {Email} is now {Status}", user.Email, approved ? "approved" : "unapproved");
|
|
_eventAggregator.Publish(new UserApprovedEvent { User = user, RequestUri = requestUri });
|
|
}
|
|
else
|
|
{
|
|
_logger.LogError("Failed to {Action} user {Email}", approved ? "approve" : "unapprove", user.Email);
|
|
}
|
|
|
|
return succeeded;
|
|
}
|
|
|
|
public async Task<bool?> ToggleUser(string userId, DateTimeOffset? lockedOutDeadline)
|
|
{
|
|
using var scope = _serviceProvider.CreateScope();
|
|
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<ApplicationUser>>();
|
|
var user = await userManager.FindByIdAsync(userId);
|
|
if (user is null)
|
|
{
|
|
return null;
|
|
}
|
|
if (lockedOutDeadline is not null)
|
|
{
|
|
await userManager.SetLockoutEnabledAsync(user, true);
|
|
}
|
|
|
|
var res = await userManager.SetLockoutEndDateAsync(user, lockedOutDeadline);
|
|
if (res.Succeeded)
|
|
{
|
|
_logger.LogInformation("User {Email} is now {Status}", user.Email, (lockedOutDeadline is null ? "unlocked" : "locked"));
|
|
}
|
|
else
|
|
{
|
|
_logger.LogError("Failed to set lockout for user {Email}", user.Email);
|
|
}
|
|
|
|
return res.Succeeded;
|
|
}
|
|
|
|
public async Task<bool> IsAdminUser(string userId)
|
|
{
|
|
using var scope = _serviceProvider.CreateScope();
|
|
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<ApplicationUser>>();
|
|
return Roles.HasServerAdmin(await userManager.GetRolesAsync(new ApplicationUser() { Id = userId }));
|
|
}
|
|
|
|
public async Task<bool> IsAdminUser(ApplicationUser user)
|
|
{
|
|
using var scope = _serviceProvider.CreateScope();
|
|
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<ApplicationUser>>();
|
|
return Roles.HasServerAdmin(await userManager.GetRolesAsync(user));
|
|
}
|
|
|
|
public async Task<bool> SetAdminUser(string userId, bool enableAdmin)
|
|
{
|
|
using var scope = _serviceProvider.CreateScope();
|
|
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<ApplicationUser>>();
|
|
var user = await userManager.FindByIdAsync(userId);
|
|
if (user is null)
|
|
return false;
|
|
IdentityResult res;
|
|
if (enableAdmin)
|
|
{
|
|
res = await userManager.AddToRoleAsync(user, Roles.ServerAdmin);
|
|
}
|
|
else
|
|
{
|
|
res = await userManager.RemoveFromRoleAsync(user, Roles.ServerAdmin);
|
|
}
|
|
|
|
if (res.Succeeded)
|
|
{
|
|
_logger.LogInformation("Successfully set admin status for user {Email}", user.Email);
|
|
}
|
|
else
|
|
{
|
|
_logger.LogError("Error setting admin status for user {Email}", user.Email);
|
|
}
|
|
|
|
return res.Succeeded;
|
|
}
|
|
|
|
public async Task DeleteUserAndAssociatedData(ApplicationUser user)
|
|
{
|
|
using var scope = _serviceProvider.CreateScope();
|
|
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<ApplicationUser>>();
|
|
|
|
var userId = user.Id;
|
|
var files = await _storedFileRepository.GetFiles(new StoredFileRepository.FilesQuery()
|
|
{
|
|
UserIds = new[] { userId },
|
|
});
|
|
|
|
await Task.WhenAll(files.Select(file => _fileService.RemoveFile(file.Id, userId)));
|
|
|
|
user = (await userManager.FindByIdAsync(userId))!;
|
|
if (user is null)
|
|
return;
|
|
var res = await userManager.DeleteAsync(user);
|
|
if (res.Succeeded)
|
|
{
|
|
_logger.LogInformation("User {Email} was successfully deleted", user.Email);
|
|
}
|
|
else
|
|
{
|
|
_logger.LogError("Failed to delete user {Email}", user.Email);
|
|
}
|
|
}
|
|
|
|
public async Task<bool> IsUserTheOnlyOneAdmin(ApplicationUser user)
|
|
{
|
|
using var scope = _serviceProvider.CreateScope();
|
|
var userManager = scope.ServiceProvider.GetRequiredService<UserManager<ApplicationUser>>();
|
|
var roles = await userManager.GetRolesAsync(user);
|
|
if (!Roles.HasServerAdmin(roles))
|
|
{
|
|
return false;
|
|
}
|
|
var adminUsers = await userManager.GetUsersInRoleAsync(Roles.ServerAdmin);
|
|
var enabledAdminUsers = adminUsers
|
|
.Where(applicationUser => !IsDisabled(applicationUser) && IsApproved(applicationUser))
|
|
.Select(applicationUser => applicationUser.Id).ToList();
|
|
|
|
return enabledAdminUsers.Count == 1 && enabledAdminUsers.Contains(user.Id);
|
|
}
|
|
}
|
|
}
|