diff --git a/BankYouBankrupt/BankYouBankruptBusinessLogic/BankYouBankruptBusinessLogic.csproj b/BankYouBankrupt/BankYouBankruptBusinessLogic/BankYouBankruptBusinessLogic.csproj
index 2c9b0c4..59eb462 100644
--- a/BankYouBankrupt/BankYouBankruptBusinessLogic/BankYouBankruptBusinessLogic.csproj
+++ b/BankYouBankrupt/BankYouBankruptBusinessLogic/BankYouBankruptBusinessLogic.csproj
@@ -7,7 +7,6 @@
-
diff --git a/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/AccountLogic.cs b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/AccountLogic.cs
new file mode 100644
index 0000000..3e2313e
--- /dev/null
+++ b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/AccountLogic.cs
@@ -0,0 +1,173 @@
+using BankYouBankruptContracts.BindingModels;
+using BankYouBankruptContracts.BusinessLogicsContracts;
+using BankYouBankruptContracts.SearchModels;
+using BankYouBankruptContracts.StoragesContracts;
+using BankYouBankruptContracts.ViewModels;
+using Microsoft.Extensions.Logging;
+using System;
+using System.Collections.Generic;
+using System.Linq;
+using System.Text;
+using System.Threading.Tasks;
+
+namespace BankYouBankruptBusinessLogic.BusinessLogics
+{
+ public class AccountLogic : IAccountLogic
+ {
+ private readonly ILogger _logger;
+
+ private readonly IAccountStorage _accountStorage;
+
+ public AccountLogic(ILogger logger, IAccountStorage accountStorage)
+ {
+ _logger = logger;
+ _accountStorage = accountStorage;
+ }
+
+ public AccountViewModel? ReadElement(AccountSearchModel model)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ _logger.LogInformation("ReadElement. AccountNumber:{Name}. Id:{Id}", model.AccountNumber, model?.Id);
+
+ var element = _accountStorage.GetElement(model);
+
+ if (element == null)
+ {
+ _logger.LogWarning("ReadElement element not found");
+
+ return null;
+ }
+
+ _logger.LogInformation("ReadElement find. Id:{Id}", element.Id);
+
+ return element;
+ }
+
+ public List? ReadList(AccountSearchModel? model)
+ {
+ _logger.LogInformation("ReadList. AccountNumber:{Name}. Id:{Id}", model.AccountNumber, model?.Id);
+
+ //list хранит весь список в случае, если model пришло со значением null на вход метода
+ var list = model == null ? _accountStorage.GetFullList() : _accountStorage.GetFilteredList(model);
+
+ if (list == null)
+ {
+ _logger.LogWarning("ReadList return null list");
+ return null;
+ }
+
+ _logger.LogInformation("ReadList. Count:{Count}", list.Count);
+
+ return list;
+ }
+
+ public bool Create(AccountBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_accountStorage.Insert(model) == null)
+ {
+ _logger.LogWarning("Insert operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Update(AccountBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_accountStorage.Update(model) == null)
+ {
+ _logger.LogWarning("Update operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Delete(AccountBindingModel model)
+ {
+ CheckModel(model, false);
+
+ _logger.LogInformation("Delete. Id:{Id}", model.Id);
+
+ if (_accountStorage.Delete(model) == null)
+ {
+ _logger.LogWarning("Delete operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ //проверка входного аргумента для методов Insert, Update и Delete
+ private void CheckModel(AccountBindingModel model, bool withParams = true)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ //так как при удалении передаём как параметр false
+ if (!withParams)
+ {
+ return;
+ }
+
+ //проверка на наличие номера счёта
+ if (string.IsNullOrEmpty(model.AccountNumber))
+ {
+ throw new ArgumentNullException("Отсутствие номера у счёта", nameof(model.AccountNumber));
+ }
+
+ //проверка на наличие id владельца
+ if (model.CashierId < 0)
+ {
+ throw new ArgumentNullException("Некорректный Id владельца счёта", nameof(model.CashierId));
+ }
+
+ //проверка на наличие id кассира, создавшего счёт
+ if (model.CashierId < 0)
+ {
+ throw new ArgumentNullException("Некорректный Id кассира, открывшего счёт", nameof(model.CashierId));
+ }
+
+ //проверка на наличие пароля счёта
+ if (string.IsNullOrEmpty(model.PasswordAccount))
+ {
+ throw new ArgumentNullException("Некорректный пароль счёта", nameof(model.PasswordAccount));
+ }
+
+ //проверка на корректную дату открытия счёта
+ if (model.DateOpen > DateTime.Now)
+ {
+ throw new ArgumentNullException("Дата открытия счёта не может быть ранее текущей", nameof(model.DateOpen));
+ }
+
+ _logger.LogInformation("Account. AccountNumber:{AccountNumber}. PasswordAccount:{PasswordAccount}. ClientId:{ClientId}. " +
+ "CashierId:{CashierId}. DateOpen:{DateOpen}. Id:{Id}",
+ model.AccountNumber, model.PasswordAccount, model.ClientId, model.CashierId, model.DateOpen, model.Id);
+
+ //для проверка на наличие такого же счёта
+ var element = _accountStorage.GetElement(new AccountSearchModel
+ {
+ AccountNumber = model.AccountNumber,
+ });
+
+ //если элемент найден и его Id не совпадает с Id переданного объекта
+ if (element != null && element.Id != model.Id)
+ {
+ throw new InvalidOperationException("Счёт с таким номером уже существует");
+ }
+ }
+ }
+}
diff --git a/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/CashWithdrawalLogic.cs b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/CashWithdrawalLogic.cs
new file mode 100644
index 0000000..ede842d
--- /dev/null
+++ b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/CashWithdrawalLogic.cs
@@ -0,0 +1,150 @@
+using BankYouBankruptContracts.BindingModels;
+using BankYouBankruptContracts.BusinessLogicsContracts;
+using BankYouBankruptContracts.SearchModels;
+using BankYouBankruptContracts.StoragesContracts;
+using BankYouBankruptContracts.ViewModels;
+using Microsoft.Extensions.Logging;
+using System;
+using System.Collections.Generic;
+using System.Linq;
+using System.Text;
+using System.Threading.Tasks;
+
+namespace BankYouBankruptBusinessLogic.BusinessLogics
+{
+ public class CashWithdrawalLogic : ICashWithdrawalLogic
+ {
+ private readonly ILogger _logger;
+
+ private readonly ICashWithdrawalStorage _cashWithdrawalStorage;
+
+ public CashWithdrawalLogic(ILogger logger, ICashWithdrawalStorage cashWithdrawalStorage)
+ {
+ _logger = logger;
+ _cashWithdrawalStorage = cashWithdrawalStorage;
+ }
+
+ public CashWithdrawalViewModel? ReadElement(CashWithdrawalSearchModel model)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ _logger.LogInformation("ReadElement. AccountId:{AccountId}. Sum:{Sum}. DateOperation:{DateOperation}. Id:{Id}",
+ model.AccountId, model.Sum, model.DateOperation, model?.Id);
+
+ var element = _cashWithdrawalStorage.GetElement(model);
+
+ if (element == null)
+ {
+ _logger.LogWarning("ReadElement element not found");
+
+ return null;
+ }
+
+ _logger.LogInformation("ReadElement find. Id:{Id}", element.Id);
+
+ return element;
+ }
+
+ public List? ReadList(CashWithdrawalSearchModel? model)
+ {
+ _logger.LogInformation("ReadElement. AccountId:{AccountId}. Sum:{Sum}. DateOperation:{DateOperation}. Id:{Id}",
+ model.AccountId, model.Sum, model.DateOperation, model?.Id);
+
+ //list хранит весь список в случае, если model пришло со значением null на вход метода
+ var list = model == null ? _cashWithdrawalStorage.GetFullList() : _cashWithdrawalStorage.GetFilteredList(model);
+
+ if (list == null)
+ {
+ _logger.LogWarning("ReadList return null list");
+ return null;
+ }
+
+ _logger.LogInformation("ReadList. Count:{Count}", list.Count);
+
+ return list;
+ }
+
+ public bool Create(CashWithdrawalBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_cashWithdrawalStorage.Insert(model) == null)
+ {
+ _logger.LogWarning("Insert operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Update(CashWithdrawalBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_cashWithdrawalStorage.Update(model) == null)
+ {
+ _logger.LogWarning("Update operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Delete(CashWithdrawalBindingModel model)
+ {
+ CheckModel(model, false);
+
+ _logger.LogInformation("Delete. Id:{Id}", model.Id);
+
+ if (_cashWithdrawalStorage.Delete(model) == null)
+ {
+ _logger.LogWarning("Delete operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ //проверка входного аргумента для методов Insert, Update и Delete
+ private void CheckModel(CashWithdrawalBindingModel model, bool withParams = true)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ //так как при удалении передаём как параметр false
+ if (!withParams)
+ {
+ return;
+ }
+
+ //проверка на корректность Id счёта
+ if (model.AccountId > 0)
+ {
+ throw new ArgumentNullException("Некорректный Id счёта", nameof(model.AccountId));
+ }
+
+ //проверка на корректность снимаемой суммы
+ if (model.Sum <= 0)
+ {
+ throw new ArgumentNullException("Снимаемая сумма не может раняться нулю или быть меньше его", nameof(model.Sum));
+ }
+
+ //проверка на корректную дату операции
+ if (model.DateOperation > DateTime.Now)
+ {
+ throw new ArgumentNullException("Дата операции не может быть позднее текущей", nameof(model.DateOperation));
+ }
+
+ _logger.LogInformation("CashWithdrawal: AccountId:{AccountId}. Sum:{Sum}. DateOperation:{DateOperation}. Id:{Id}",
+ model.AccountId, model.Sum, model.DateOperation, model?.Id);
+ }
+ }
+}
diff --git a/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/CashierLogic.cs b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/CashierLogic.cs
new file mode 100644
index 0000000..d7e810c
--- /dev/null
+++ b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/CashierLogic.cs
@@ -0,0 +1,175 @@
+using BankYouBankruptContracts.BindingModels;
+using BankYouBankruptContracts.BusinessLogicsContracts;
+using BankYouBankruptContracts.SearchModels;
+using BankYouBankruptContracts.StoragesContracts;
+using BankYouBankruptContracts.ViewModels;
+using Microsoft.Extensions.Logging;
+using System;
+using System.Collections.Generic;
+using System.Linq;
+using System.Text;
+using System.Threading.Tasks;
+
+namespace BankYouBankruptBusinessLogic.BusinessLogics
+{
+ public class CashierLogic : ICashierLogic
+ {
+ private readonly ILogger _logger;
+
+ private readonly ICashierStorage _cashierStorage;
+
+ public CashierLogic(ILogger logger, ICashierStorage cashierStorage)
+ {
+ _logger = logger;
+ _cashierStorage = cashierStorage;
+ }
+
+ public CashierViewModel? ReadElement(CashierSearchModel model)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ _logger.LogInformation("ReadElement. CashierName:{Name}. CashierSurname:{Surname}. CashierPatronymic:{Patronymic}. Id:{Id}",
+ model.Name, model.Surname, model.Patronymic, model?.Id);
+
+ var element = _cashierStorage.GetElement(model);
+
+ if (element == null)
+ {
+ _logger.LogWarning("ReadElement element not found");
+
+ return null;
+ }
+
+ _logger.LogInformation("ReadElement find. Id:{Id}", element.Id);
+
+ return element;
+ }
+
+ public List? ReadList(CashierSearchModel? model)
+ {
+ _logger.LogInformation("ReadList. CashierName:{Name}. CashierSurname:{Surname}. CashierPatronymic:{Patronymic}. Id:{Id}",
+ model.Name, model.Surname, model.Patronymic, model?.Id);
+
+ //list хранит весь список в случае, если model пришло со значением null на вход метода
+ var list = model == null ? _cashierStorage.GetFullList() : _cashierStorage.GetFilteredList(model);
+
+ if (list == null)
+ {
+ _logger.LogWarning("ReadList return null list");
+ return null;
+ }
+
+ _logger.LogInformation("ReadList. Count:{Count}", list.Count);
+
+ return list;
+ }
+
+ public bool Create(CashierBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_cashierStorage.Insert(model) == null)
+ {
+ _logger.LogWarning("Insert operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Update(CashierBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_cashierStorage.Update(model) == null)
+ {
+ _logger.LogWarning("Update operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Delete(CashierBindingModel model)
+ {
+ CheckModel(model, false);
+
+ _logger.LogInformation("Delete. Id:{Id}", model.Id);
+
+ if (_cashierStorage.Delete(model) == null)
+ {
+ _logger.LogWarning("Delete operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ //проверка входного аргумента для методов Insert, Update и Delete
+ private void CheckModel(CashierBindingModel model, bool withParams = true)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ //так как при удалении передаём как параметр false
+ if (!withParams)
+ {
+ return;
+ }
+
+ //проверка на наличие имени
+ if (string.IsNullOrEmpty(model.Name))
+ {
+ throw new ArgumentNullException("Отсутствие имени в учётной записи", nameof(model.Name));
+ }
+
+ //проверка на наличие фамилия
+ if (string.IsNullOrEmpty(model.Surname))
+ {
+ throw new ArgumentNullException("Отсутствие фамилии в учётной записи", nameof(model.Name));
+ }
+
+ //проверка на наличие отчество
+ if (string.IsNullOrEmpty(model.Patronymic))
+ {
+ throw new ArgumentNullException("Отсутствие отчества в учётной записи", nameof(model.Name));
+ }
+
+ //проверка на наличие почты
+ if (string.IsNullOrEmpty(model.Email))
+ {
+ throw new ArgumentNullException("Отсутствие почты в учётной записи (логина)", nameof(model.Email));
+ }
+
+ //проверка на наличие пароля
+ if (string.IsNullOrEmpty(model.Password))
+ {
+ throw new ArgumentNullException("Отсутствие пароля в учётной записи", nameof(model.Password));
+ }
+
+ _logger.LogInformation("Cashier. CashierName:{Name}. CashierSurname:{Surname}. CashierPatronymic:{Patronymic}. " +
+ "Email:{Email}. Password:{Password}. Id:{Id}",
+ model.Name, model.Surname, model.Patronymic, model.Email, model.Password, model.Id);
+
+ //для проверка на наличие такого же аккаунта
+ var element = _cashierStorage.GetElement(new CashierSearchModel
+ {
+ Email = model.Email,
+ });
+
+ //если элемент найден и его Id не совпадает с Id переданного объекта
+ if (element != null && element.Id != model.Id)
+ {
+ throw new InvalidOperationException("Аккаунт с таким логином уже есть");
+ }
+ }
+ }
+}
diff --git a/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/MoneyTransferLogic.cs b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/MoneyTransferLogic.cs
new file mode 100644
index 0000000..5dd522e
--- /dev/null
+++ b/BankYouBankrupt/BankYouBankruptBusinessLogic/BusinessLogics/MoneyTransferLogic.cs
@@ -0,0 +1,156 @@
+using BankYouBankruptContracts.BindingModels;
+using BankYouBankruptContracts.BusinessLogicsContracts;
+using BankYouBankruptContracts.SearchModels;
+using BankYouBankruptContracts.StoragesContracts;
+using BankYouBankruptContracts.ViewModels;
+using Microsoft.Extensions.Logging;
+using System;
+using System.Collections.Generic;
+using System.Linq;
+using System.Text;
+using System.Threading.Tasks;
+
+namespace BankYouBankruptBusinessLogic.BusinessLogics
+{
+ public class MoneyTransferLogic : IMoneyTransferLogic
+ {
+ private readonly ILogger _logger;
+
+ private readonly IMoneyTransferStorage _moneyTransferStorage;
+
+ public MoneyTransferLogic(ILogger logger, IMoneyTransferStorage moneyTransferStorage)
+ {
+ _logger = logger;
+ _moneyTransferStorage = moneyTransferStorage;
+ }
+
+ public MoneyTransferViewModel? ReadElement(MoneyTransferSearchModel model)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ _logger.LogInformation("ReadElement. AccountSenderId:{AccountSenderId}. AccountPayeeId:{AccountPayeeId}. Sum:{Sum}. Id:{Id}",
+ model.AccountSenderId, model.AccountPayeeId, model.Sum, model?.Id);
+
+ var element = _moneyTransferStorage.GetElement(model);
+
+ if (element == null)
+ {
+ _logger.LogWarning("ReadElement element not found");
+
+ return null;
+ }
+
+ _logger.LogInformation("ReadElement find. Id:{Id}", element.Id);
+
+ return element;
+ }
+
+ public List? ReadList(MoneyTransferSearchModel? model)
+ {
+ _logger.LogInformation("ReadElement. AccountSenderId:{AccountSenderId}. AccountPayeeId:{AccountPayeeId}. Sum:{Sum}. Id:{Id}",
+ model.AccountSenderId, model.AccountPayeeId, model.Sum, model?.Id);
+
+ //list хранит весь список в случае, если model пришло со значением null на вход метода
+ var list = model == null ? _moneyTransferStorage.GetFullList() : _moneyTransferStorage.GetFilteredList(model);
+
+ if (list == null)
+ {
+ _logger.LogWarning("ReadList return null list");
+ return null;
+ }
+
+ _logger.LogInformation("ReadList. Count:{Count}", list.Count);
+
+ return list;
+ }
+
+ public bool Create(MoneyTransferBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_moneyTransferStorage.Insert(model) == null)
+ {
+ _logger.LogWarning("Insert operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Update(MoneyTransferBindingModel model)
+ {
+ CheckModel(model);
+
+ if (_moneyTransferStorage.Update(model) == null)
+ {
+ _logger.LogWarning("Update operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ public bool Delete(MoneyTransferBindingModel model)
+ {
+ CheckModel(model, false);
+
+ _logger.LogInformation("Delete. Id:{Id}", model.Id);
+
+ if (_moneyTransferStorage.Delete(model) == null)
+ {
+ _logger.LogWarning("Delete operation failed");
+
+ return false;
+ }
+
+ return true;
+ }
+
+ //проверка входного аргумента для методов Insert, Update и Delete
+ private void CheckModel(MoneyTransferBindingModel model, bool withParams = true)
+ {
+ if (model == null)
+ {
+ throw new ArgumentNullException(nameof(model));
+ }
+
+ //так как при удалении передаём как параметр false
+ if (!withParams)
+ {
+ return;
+ }
+
+ //проверка корректности Id счёта отправителя
+ if (model.AccountSenderId < 0)
+ {
+ throw new ArgumentNullException("Отсутствие Id у счёта отправителя", nameof(model.AccountSenderId));
+ }
+
+ //проверка корректности Id счёта получателя
+ if (model.AccountPayeeId < 0)
+ {
+ throw new ArgumentNullException("Отсутствие Id у счёта получателя", nameof(model.AccountPayeeId));
+ }
+
+ //проверка на корректную сумму перевода
+ if (model.Sum <= 0)
+ {
+ throw new ArgumentNullException("Сумма перевода не может раняться нулю или быть меньше его", nameof(model.Sum));
+ }
+
+ //проверка на корректную дату открытия счёта
+ if (model.DateOperation > DateTime.Now)
+ {
+ throw new ArgumentNullException("Дата операции не может быть ранее текущей", nameof(model.DateOperation));
+ }
+
+ _logger.LogInformation("ReadElement. AccountSenderId:{AccountSenderId}. AccountPayeeId:{AccountPayeeId}. Sum:{Sum}. DateOperation:{DateOperation}. Id:{Id}",
+ model.AccountSenderId, model.AccountPayeeId, model.Sum, model.DateOperation, model?.Id);
+ }
+ }
+}