SUBD_5_lab/SushiBarDatabaseImplement/Implements/SushiStorage.cs
2024-04-01 00:12:32 +04:00

100 lines
3.4 KiB
C#

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Microsoft.EntityFrameworkCore;
using SushiBarContracts.BindingModels;
using SushiBarContracts.SearchModels;
using SushiBarContracts.StoragesContracts;
using SushiBarContracts.ViewModels;
using SushiBarDatabaseImplement.Models;
namespace SushiBarDatabaseImplement.Implements
{
public class SushiStorage : ISushiStorage
{
public List<SushiViewModel> GetFullList()
{
using var context = new SushiBarDatabase();
return context.Sushis.Include(x => x.Components).ThenInclude(x => x.Component).ToList()
.Select(x => x.GetViewModel).ToList();
}
public List<SushiViewModel> GetFilteredList(SushiSearchModel model)
{
if (string.IsNullOrEmpty(model.SushiName))
{
return new();
}
using var context = new SushiBarDatabase();
return context.Sushis.Include(x => x.Components).ThenInclude(x => x.Component)
.Where(x => x.SushiName.Contains(model.SushiName)).ToList().Select(x => x.GetViewModel).ToList();
}
public SushiViewModel? GetElement(SushiSearchModel model)
{
if (string.IsNullOrEmpty(model.SushiName) && !model.Id.HasValue)
{
return null;
}
using var context = new SushiBarDatabase();
return context.Sushis.Include(x => x.Components).ThenInclude(x => x.Component)
.FirstOrDefault(x =>
(!string.IsNullOrEmpty(model.SushiName) && x.SushiName == model.SushiName) ||
(model.Id.HasValue && x.Id == model.Id))
?.GetViewModel;
}
public SushiViewModel? Insert(SushiBindingModel model)
{
using var context = new SushiBarDatabase();
var newSushi = Sushi.Create(context, model);
if (newSushi == null)
{
return null;
}
context.Sushis.Add(newSushi);
context.SaveChanges();
return newSushi.GetViewModel;
}
public SushiViewModel? Update(SushiBindingModel model)
{
using var context = new SushiBarDatabase();
using var transaction = context.Database.BeginTransaction();
try
{
var Sushi = context.Sushis.FirstOrDefault(rec => rec.Id == model.Id);
if (Sushi == null)
{
return null;
}
Sushi.Update(model);
context.SaveChanges();
Sushi.UpdateComponents(context, model);
transaction.Commit();
return Sushi.GetViewModel;
}
catch
{
transaction.Rollback();
throw;
}
}
public SushiViewModel? Delete(SushiBindingModel model)
{
using var context = new SushiBarDatabase();
var element = context.Sushis.Include(x => x.Components).FirstOrDefault(rec => rec.Id == model.Id);
if (element != null)
{
context.Sushis.Remove(element);
context.SaveChanges();
return element.GetViewModel;
}
return null;
}
}
}