Compare commits

...

5 Commits

Author SHA1 Message Date
7511370fa3 back registration
Reviewed-on: #7
2024-06-15 01:59:02 +04:00
9d04b5836c Merge pull request 'dev to registration' (#6) from dev into registration
Reviewed-on: #6
2024-06-15 01:55:34 +04:00
64cb4f1ac9 add mail sender and basic mail templates 2024-06-15 01:51:32 +04:00
040d276d5b fix config jwt provider 2024-06-15 00:01:39 +04:00
d9f3faf92d add jwt and fix user logic (login) 2024-06-13 18:41:59 +04:00
14 changed files with 248 additions and 7 deletions

View File

@ -7,12 +7,13 @@
</PropertyGroup>
<ItemGroup>
<Using Include="BCrypt.Net.BCrypt" Static="True"/>
<Using Include="BCrypt.Net.BCrypt" Static="True" />
</ItemGroup>
<ItemGroup>
<PackageReference Include="BCrypt.Net-Next" Version="4.0.3" />
<PackageReference Include="Microsoft.Extensions.Logging.Abstractions" Version="8.0.1" />
<PackageReference Include="System.IdentityModel.Tokens.Jwt" Version="7.6.0" />
</ItemGroup>
<ItemGroup>

View File

@ -1,4 +1,6 @@
using BusinessLogic.Tools;
using BusinessLogic.Tools.Mail;
using BusinessLogic.Tools.Mail.MailTemplates;
using Contracts.BindingModels;
using Contracts.BusinessLogicContracts;
using Contracts.Converters;
@ -39,6 +41,8 @@ namespace BusinessLogic.BusinessLogic
throw new Exception("Insert operation failed.");
}
MailSender.Send(new MailRegistration(user));
return UserConverter.ToView(user);
}
@ -52,6 +56,7 @@ namespace BusinessLogic.BusinessLogic
{
throw new ElementNotFoundException();
}
MailSender.Send(new MailDeleteUser(user));
return UserConverter.ToView(user);
}
@ -99,10 +104,13 @@ namespace BusinessLogic.BusinessLogic
{
throw new Exception("Update operation failed.");
}
MailSender.Send(new MailUpdateUserData(user));
return UserConverter.ToView(user);
}
public UserViewModel Login(string email, string password)
public string Login(string email, string password)
{
if (email is null)
{
@ -120,7 +128,7 @@ namespace BusinessLogic.BusinessLogic
{
throw new AccountException("The passwords don't match.");
}
return UserConverter.ToView(user);
return JwtProvider.Generate(user);
}
public void _validatePassword(string? password)

View File

@ -0,0 +1,14 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools
{
public class JwtOptions
{
public string SecretKey { get; set; } = null!;
public short ExpiresHours { get; set; }
}
}

View File

@ -0,0 +1,46 @@
using Contracts.BindingModels;
using Contracts.ViewModels;
using Microsoft.IdentityModel.Tokens;
using System;
using System.CodeDom.Compiler;
using System.Collections.Generic;
using System.IdentityModel.Tokens.Jwt;
using System.Linq;
using System.Security.Claims;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools
{
public class JwtProvider
{
private static string _key;
private static int _expiresHours;
public static string Generate(UserBindingModel user)
{
var signingCredentials = new SigningCredentials(
new SymmetricSecurityKey(Encoding.UTF8.GetBytes(_key)),
SecurityAlgorithms.HmacSha256);
Claim[] claims = [
new("userId", user.Id.ToString()),
new("role", user.Role.Name)
];
var token = new JwtSecurityToken(signingCredentials: signingCredentials,
expires: DateTime.UtcNow.AddHours(_expiresHours),
claims: claims);
var stringToken = new JwtSecurityTokenHandler().WriteToken(token);
return stringToken;
}
public void SetupJwtOptions(JwtOptions options)
{
_key = options.SecretKey;
_expiresHours = options.ExpiresHours;
}
}
}

View File

@ -0,0 +1,15 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools.Mail
{
public class Mail
{
public IEnumerable<string> To { get; set; } = null!;
public string Title { get; set; } = null!;
public string Body { get; set; } = null!;
}
}

View File

@ -0,0 +1,16 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools.Mail
{
public class MailOptions
{
public string Email { get; set; } = null!;
public string Password { get; set; } = null!;
public string SmtpClientHost { get; set; } = null!;
public short SmtpClientPort { get; set; }
}
}

View File

@ -0,0 +1,46 @@
using System;
using System.Collections.Generic;
using System.Linq;
using System.Net;
using System.Net.Mail;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools.Mail
{
public class MailSender
{
private static string _email;
private static string _password;
private static string _smtpClientHost;
private static short _smtpClientPort;
public void SetupMailOptions(MailOptions options)
{
_email = options.Email;
_password = options.Password;
_smtpClientHost = options.SmtpClientHost;
_smtpClientPort = options.SmtpClientPort;
}
public static void Send(Mail mail)
{
using SmtpClient client = new SmtpClient(_smtpClientHost, _smtpClientPort);
client.Credentials = new NetworkCredential(_email, _password);
client.EnableSsl = true;
using MailMessage message = new MailMessage();
message.From = new MailAddress(_email);
foreach (string to in mail.To)
{
message.To.Add(to);
}
message.Subject = mail.Title;
message.Body = mail.Body;
client.Send(message);
}
}
}

View File

@ -0,0 +1,20 @@
using Contracts.BindingModels;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools.Mail.MailTemplates
{
public class MailDeleteUser : Mail
{
public MailDeleteUser(UserBindingModel user)
{
To = [user.Email];
Title = "Ваш аккаунт был удален!";
Body = $"Уважаемый {user.SecondName} {user.FirstName}, Ваш аккаунт был удален навсегда насовсем.\n" +
$"Если это были не Вы... Тут уже ничего не поможет, приносим наши извинения.";
}
}
}

View File

@ -0,0 +1,21 @@
using Contracts.BindingModels;
using Contracts.ViewModels;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools.Mail.MailTemplates
{
public class MailRegistration : Mail
{
public MailRegistration(UserBindingModel user)
{
To = [user.Email];
Title = "Приветствуем Вас на нашем сайте!";
Body = $"Спасибо, {user.SecondName} {user.FirstName}, что выбрали НАС.\n" +
$"Надеемся, что Вам что-то уже приглянулось!";
}
}
}

View File

@ -0,0 +1,20 @@
using Contracts.BindingModels;
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace BusinessLogic.Tools.Mail.MailTemplates
{
public class MailUpdateUserData : Mail
{
public MailUpdateUserData(UserBindingModel user)
{
To = [user.Email];
Title = "Данные пользователя были обновлены!";
Body = $"Уважаемый {user.SecondName} {user.FirstName}, Ваши данные были обвновлены.\n" +
$"Если это были не Вы, то что поделать, Вам придется менять пароль.";
}
}
}

View File

@ -12,7 +12,7 @@ namespace Contracts.BusinessLogicContracts
{
public interface IUserLogic
{
UserViewModel Login(string email, string password);
string Login(string email, string password);
UserViewModel Create(UserBindingModel model);

View File

@ -56,13 +56,11 @@ namespace RestAPI.Controllers
catch (AccountException ex)
{
_logger.LogWarning(ex, "Wrong registration data");
throw;
return Results.BadRequest(ex.Message);
}
catch (Exception ex)
{
_logger.LogError(ex, "Error create user");
throw;
return Results.Problem(ex.Message);
}
}

View File

@ -1,9 +1,12 @@
using BusinessLogic.BusinessLogic;
using BusinessLogic.Tools;
using BusinessLogic.Tools.Mail;
using Contracts.BusinessLogicContracts;
using Contracts.StorageContracts;
using DatabaseImplement.Implements;
using Microsoft.OpenApi.Models;
using System;
using System.Net.Mail;
const string VERSION = "v1";
const string TITLE = "21GunsRestAPI";
@ -21,6 +24,9 @@ builder.Services.AddTransient<IUserLogic, UserLogic>();
builder.Services.AddTransient<IRoleStorage, RoleStorage>();
builder.Services.AddTransient<IUserStorage, UserStorage>();
builder.Services.AddSingleton<JwtProvider>();
builder.Services.AddSingleton<MailSender>();
#endregion DI
builder.Services.AddControllers();
@ -32,6 +38,26 @@ builder.Services.AddSwaggerGen(c =>
});
var app = builder.Build();
var jwtProvider = app.Services.GetService<JwtProvider>();
var mailSender = app.Services.GetService<MailSender>();
#region Setup config
string? getSection(string section) => builder.Configuration?.GetSection(section)?.Value?.ToString();
jwtProvider?.SetupJwtOptions(new()
{
SecretKey = getSection("JwtOptions:SecretKey") ?? string.Empty,
ExpiresHours = Convert.ToInt16(getSection("JwtOptions:ExpiresHours"))
});
mailSender?.SetupMailOptions(new()
{
Email = getSection("MailOptions:Email") ?? string.Empty,
Password = getSection("MailOptions:Password") ?? string.Empty,
SmtpClientHost = getSection("MailOptions:SmtpClientHost") ?? string.Empty,
SmtpClientPort = Convert.ToInt16(getSection("MailOptions:SmtpClientPort"))
});
#endregion Setup config
// Configure the HTTP request pipeline.
if (app.Environment.IsDevelopment())

View File

@ -5,5 +5,15 @@
"Microsoft.AspNetCore": "Warning"
}
},
"JwtOptions": {
"SecretKey": "secretkey_secretkey_secretkey_secretkey",
"ExpiresHours": 24
},
"MailOptions": {
"Email": "21.guns.site@gmail.com",
"Password": "tiss lpgf nhap qnfc",
"SmtpClientHost": "smtp.gmail.com",
"SmtpClientPort": "587"
},
"AllowedHosts": "*"
}
}