adminsupplier

This commit is contained in:
Tizian.Breuch
2025-09-25 14:49:20 +02:00
parent 910cab656b
commit 6b0fe1a343
3 changed files with 120 additions and 72 deletions

View File

@@ -1,9 +1,11 @@
// src/Webshop.Api/Controllers/Admin/AdminSuppliersController.cs // src/Webshop.Api/Controllers/Admin/AdminSuppliersController.cs
using Microsoft.AspNetCore.Authorization; using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Http;
using Microsoft.AspNetCore.Mvc; using Microsoft.AspNetCore.Mvc;
using System; using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Threading.Tasks; using System.Threading.Tasks;
using Webshop.Application;
using Webshop.Application.DTOs.Suppliers; using Webshop.Application.DTOs.Suppliers;
using Webshop.Application.Services.Admin.Interfaces; using Webshop.Application.Services.Admin.Interfaces;
@@ -14,7 +16,6 @@ namespace Webshop.Api.Controllers.Admin
[Authorize(Roles = "Admin")] [Authorize(Roles = "Admin")]
public class AdminSuppliersController : ControllerBase public class AdminSuppliersController : ControllerBase
{ {
// Der Controller h<>ngt vom Interface ab, nicht von der konkreten Klasse
private readonly IAdminSupplierService _adminSupplierService; private readonly IAdminSupplierService _adminSupplierService;
public AdminSuppliersController(IAdminSupplierService adminSupplierService) public AdminSuppliersController(IAdminSupplierService adminSupplierService)
@@ -23,49 +24,89 @@ namespace Webshop.Api.Controllers.Admin
} }
[HttpGet] [HttpGet]
public async Task<ActionResult<IEnumerable<SupplierDto>>> GetAllSuppliers() [ProducesResponseType(typeof(IEnumerable<SupplierDto>), StatusCodes.Status200OK)]
public async Task<IActionResult> GetAllSuppliers()
{ {
var suppliers = await _adminSupplierService.GetAllSuppliersAsync(); var result = await _adminSupplierService.GetAllSuppliersAsync();
return Ok(suppliers); return Ok(result.Value);
} }
[HttpGet("{id:guid}")] [HttpGet("{id:guid}")]
public async Task<ActionResult<SupplierDto>> GetSupplierById(Guid id) [ProducesResponseType(typeof(SupplierDto), StatusCodes.Status200OK)]
[ProducesResponseType(typeof(ProblemDetails), StatusCodes.Status404NotFound)]
public async Task<IActionResult> GetSupplierById(Guid id)
{ {
var supplier = await _adminSupplierService.GetSupplierByIdAsync(id); var result = await _adminSupplierService.GetSupplierByIdAsync(id);
if (supplier == null) return NotFound();
return Ok(supplier); return result.Type switch
{
ServiceResultType.Success => Ok(result.Value),
ServiceResultType.NotFound => NotFound(new { Message = result.ErrorMessage }),
_ => StatusCode(StatusCodes.Status500InternalServerError, new { Message = result.ErrorMessage ?? "Ein unerwarteter Fehler ist aufgetreten." })
};
} }
[HttpPost] [HttpPost]
public async Task<ActionResult<SupplierDto>> CreateSupplier([FromBody] SupplierDto supplierDto) [ProducesResponseType(typeof(SupplierDto), StatusCodes.Status201Created)]
[ProducesResponseType(typeof(ValidationProblemDetails), StatusCodes.Status400BadRequest)]
[ProducesResponseType(typeof(ProblemDetails), StatusCodes.Status409Conflict)]
public async Task<IActionResult> CreateSupplier([FromBody] SupplierDto supplierDto)
{ {
if (supplierDto == null) return BadRequest("Supplier data is required."); if (!ModelState.IsValid)
if (!ModelState.IsValid) return BadRequest(ModelState); {
return BadRequest(ModelState);
}
var createdSupplier = await _adminSupplierService.CreateSupplierAsync(supplierDto); var result = await _adminSupplierService.CreateSupplierAsync(supplierDto);
return CreatedAtAction(nameof(GetSupplierById), new { id = createdSupplier.Id }, createdSupplier);
return result.Type switch
{
ServiceResultType.Success => CreatedAtAction(nameof(GetSupplierById), new { id = result.Value!.Id }, result.Value),
ServiceResultType.Conflict => Conflict(new { Message = result.ErrorMessage }),
_ => StatusCode(StatusCodes.Status500InternalServerError, new { Message = result.ErrorMessage ?? "Ein unerwarteter Fehler ist aufgetreten." })
};
} }
[HttpPut("{id:guid}")] [HttpPut("{id:guid}")]
[ProducesResponseType(StatusCodes.Status204NoContent)]
[ProducesResponseType(typeof(ValidationProblemDetails), StatusCodes.Status400BadRequest)]
[ProducesResponseType(typeof(ProblemDetails), StatusCodes.Status404NotFound)]
[ProducesResponseType(typeof(ProblemDetails), StatusCodes.Status409Conflict)]
public async Task<IActionResult> UpdateSupplier(Guid id, [FromBody] SupplierDto supplierDto) public async Task<IActionResult> UpdateSupplier(Guid id, [FromBody] SupplierDto supplierDto)
{ {
if (id != supplierDto.Id) return BadRequest("Mismatched ID in route and body."); if (id != supplierDto.Id)
if (!ModelState.IsValid) return BadRequest(ModelState); {
return BadRequest(new { Message = "ID in der URL und im Body stimmen nicht <20>berein." });
}
if (!ModelState.IsValid)
{
return BadRequest(ModelState);
}
var success = await _adminSupplierService.UpdateSupplierAsync(id, supplierDto); var result = await _adminSupplierService.UpdateSupplierAsync(supplierDto);
if (!success) return NotFound();
return NoContent(); // Standardantwort f<>r erfolgreiches Update return result.Type switch
{
ServiceResultType.Success => NoContent(),
ServiceResultType.NotFound => NotFound(new { Message = result.ErrorMessage }),
ServiceResultType.Conflict => Conflict(new { Message = result.ErrorMessage }),
_ => StatusCode(StatusCodes.Status500InternalServerError, new { Message = result.ErrorMessage ?? "Ein unerwarteter Fehler ist aufgetreten." })
};
} }
[HttpDelete("{id:guid}")] [HttpDelete("{id:guid}")]
[ProducesResponseType(StatusCodes.Status204NoContent)]
[ProducesResponseType(typeof(ProblemDetails), StatusCodes.Status404NotFound)]
public async Task<IActionResult> DeleteSupplier(Guid id) public async Task<IActionResult> DeleteSupplier(Guid id)
{ {
var success = await _adminSupplierService.DeleteSupplierAsync(id); var result = await _adminSupplierService.DeleteSupplierAsync(id);
if (!success) return NotFound();
return NoContent(); // Standardantwort f<>r erfolgreiches L<>schen return result.Type switch
{
ServiceResultType.Success => NoContent(),
ServiceResultType.NotFound => NotFound(new { Message = result.ErrorMessage }),
_ => StatusCode(StatusCodes.Status500InternalServerError, new { Message = result.ErrorMessage ?? "Ein unerwarteter Fehler ist aufgetreten." })
};
} }
} }
} }

View File

@@ -1,64 +1,50 @@
// src/Webshop.Application/Services/Admin/AdminSupplierService.cs // src/Webshop.Application/Services/Admin/AdminSupplierService.cs
using Webshop.Domain.Entities; using Webshop.Domain.Entities;
using Webshop.Domain.Interfaces; // Wichtig für ISupplierRepository using Webshop.Domain.Interfaces;
using System; using System;
using System.Collections.Generic; using System.Collections.Generic;
using System.Linq; using System.Linq;
using System.Threading.Tasks; using System.Threading.Tasks;
using Webshop.Application;
using Webshop.Application.DTOs.Suppliers; using Webshop.Application.DTOs.Suppliers;
using Webshop.Application.Services.Admin.Interfaces; using Webshop.Application.Services.Admin.Interfaces;
using Webshop.Domain.Identity;
namespace Webshop.Application.Services.Admin namespace Webshop.Application.Services.Admin
{ {
// Implementiert das Interface, das der Controller erwartet
public class AdminSupplierService : IAdminSupplierService public class AdminSupplierService : IAdminSupplierService
{ {
private readonly ISupplierRepository _supplierRepository; private readonly ISupplierRepository _supplierRepository;
// Lässt sich das Repository per Dependency Injection geben
public AdminSupplierService(ISupplierRepository supplierRepository) public AdminSupplierService(ISupplierRepository supplierRepository)
{ {
_supplierRepository = supplierRepository; _supplierRepository = supplierRepository;
} }
public async Task<IEnumerable<SupplierDto>> GetAllSuppliersAsync() public async Task<ServiceResult<IEnumerable<SupplierDto>>> GetAllSuppliersAsync()
{ {
var suppliers = await _supplierRepository.GetAllSuppliersAsync(); var suppliers = await _supplierRepository.GetAllSuppliersAsync();
// Mappt die Entity-Liste zu einer DTO-Liste für die API var dtos = suppliers.Select(MapToDto);
return suppliers.Select(s => new SupplierDto return ServiceResult.Ok<IEnumerable<SupplierDto>>(dtos);
{
Id = s.Id,
Name = s.Name,
ContactPerson = s.ContactPerson,
Email = s.Email,
PhoneNumber = s.PhoneNumber,
AddressId = s.AddressId,
Notes = s.Notes
});
} }
public async Task<SupplierDto?> GetSupplierByIdAsync(Guid id) public async Task<ServiceResult<SupplierDto>> GetSupplierByIdAsync(Guid id)
{ {
var supplier = await _supplierRepository.GetSupplierByIdAsync(id); var supplier = await _supplierRepository.GetSupplierByIdAsync(id);
if (supplier == null) return null; if (supplier == null)
// Mappt die gefundene Entity zu einem DTO
return new SupplierDto
{ {
Id = supplier.Id, return ServiceResult.Fail<SupplierDto>(ServiceResultType.NotFound, $"Lieferant mit ID '{id}' nicht gefunden.");
Name = supplier.Name, }
ContactPerson = supplier.ContactPerson, return ServiceResult.Ok(MapToDto(supplier));
Email = supplier.Email,
PhoneNumber = supplier.PhoneNumber,
AddressId = supplier.AddressId,
Notes = supplier.Notes
};
} }
public async Task<SupplierDto> CreateSupplierAsync(SupplierDto supplierDto) public async Task<ServiceResult<SupplierDto>> CreateSupplierAsync(SupplierDto supplierDto)
{ {
// Wandelt das DTO von der API in eine Datenbank-Entity um var allSuppliers = await _supplierRepository.GetAllSuppliersAsync();
if (allSuppliers.Any(s => s.Name.Equals(supplierDto.Name, StringComparison.OrdinalIgnoreCase)))
{
return ServiceResult.Fail<SupplierDto>(ServiceResultType.Conflict, $"Ein Lieferant mit dem Namen '{supplierDto.Name}' existiert bereits.");
}
var supplier = new Supplier var supplier = new Supplier
{ {
Name = supplierDto.Name, Name = supplierDto.Name,
@@ -71,20 +57,24 @@ namespace Webshop.Application.Services.Admin
await _supplierRepository.AddSupplierAsync(supplier); await _supplierRepository.AddSupplierAsync(supplier);
// Gibt ein DTO mit der neu generierten ID zurück
supplierDto.Id = supplier.Id; supplierDto.Id = supplier.Id;
return supplierDto; return ServiceResult.Ok(supplierDto);
} }
public async Task<bool> UpdateSupplierAsync(Guid id, SupplierDto supplierDto) public async Task<ServiceResult> UpdateSupplierAsync(SupplierDto supplierDto)
{ {
var existingSupplier = await _supplierRepository.GetSupplierByIdAsync(id); var existingSupplier = await _supplierRepository.GetSupplierByIdAsync(supplierDto.Id);
if (existingSupplier == null) if (existingSupplier == null)
{ {
return false; // Konnte nicht gefunden werden return ServiceResult.Fail(ServiceResultType.NotFound, $"Lieferant mit ID '{supplierDto.Id}' nicht gefunden.");
}
var allSuppliers = await _supplierRepository.GetAllSuppliersAsync();
if (allSuppliers.Any(s => s.Name.Equals(supplierDto.Name, StringComparison.OrdinalIgnoreCase) && s.Id != supplierDto.Id))
{
return ServiceResult.Fail(ServiceResultType.Conflict, $"Ein anderer Lieferant mit dem Namen '{supplierDto.Name}' existiert bereits.");
} }
// Aktualisiert die Daten der gefundenen Entity
existingSupplier.Name = supplierDto.Name; existingSupplier.Name = supplierDto.Name;
existingSupplier.ContactPerson = supplierDto.ContactPerson; existingSupplier.ContactPerson = supplierDto.ContactPerson;
existingSupplier.Email = supplierDto.Email; existingSupplier.Email = supplierDto.Email;
@@ -93,19 +83,39 @@ namespace Webshop.Application.Services.Admin
existingSupplier.Notes = supplierDto.Notes; existingSupplier.Notes = supplierDto.Notes;
await _supplierRepository.UpdateSupplierAsync(existingSupplier); await _supplierRepository.UpdateSupplierAsync(existingSupplier);
return true; return ServiceResult.Ok();
} }
public async Task<bool> DeleteSupplierAsync(Guid id) public async Task<ServiceResult> DeleteSupplierAsync(Guid id)
{ {
var supplier = await _supplierRepository.GetSupplierByIdAsync(id); var supplier = await _supplierRepository.GetSupplierByIdAsync(id);
if (supplier == null) if (supplier == null)
{ {
return false; // Konnte nicht gefunden werden return ServiceResult.Fail(ServiceResultType.NotFound, $"Lieferant mit ID '{id}' nicht gefunden.");
} }
// Hier könnte man noch prüfen, ob der Lieferant Produkten zugeordnet ist (Conflict)
// if (await _productRepository.AnyAsync(p => p.SupplierId == id))
// {
// return ServiceResult.Fail(ServiceResultType.Conflict, "Lieferant kann nicht gelöscht werden, da ihm Produkte zugeordnet sind.");
// }
await _supplierRepository.DeleteSupplierAsync(id); await _supplierRepository.DeleteSupplierAsync(id);
return true; return ServiceResult.Ok();
}
private SupplierDto MapToDto(Supplier s)
{
return new SupplierDto
{
Id = s.Id,
Name = s.Name,
ContactPerson = s.ContactPerson,
Email = s.Email,
PhoneNumber = s.PhoneNumber,
AddressId = s.AddressId,
Notes = s.Notes
};
} }
} }
} }

View File

@@ -1,21 +1,18 @@
// src/Webshop.Application/Services/Admin/IAdminSupplierService.cs // src/Webshop.Application/Services/Admin/IAdminSupplierService.cs
using System;
using System; // Für Guid
using System.Collections.Generic; using System.Collections.Generic;
using System.Threading.Tasks; using System.Threading.Tasks;
using Webshop.Application;
using Webshop.Application.DTOs.Suppliers; using Webshop.Application.DTOs.Suppliers;
namespace Webshop.Application.Services.Admin.Interfaces namespace Webshop.Application.Services.Admin.Interfaces
{ {
public interface IAdminSupplierService public interface IAdminSupplierService
{ {
// Diese Methoden waren bereits vorhanden Task<ServiceResult<IEnumerable<SupplierDto>>> GetAllSuppliersAsync();
Task<IEnumerable<SupplierDto>> GetAllSuppliersAsync(); Task<ServiceResult<SupplierDto>> GetSupplierByIdAsync(Guid id);
Task<SupplierDto?> GetSupplierByIdAsync(Guid id); Task<ServiceResult<SupplierDto>> CreateSupplierAsync(SupplierDto supplierDto);
Task<SupplierDto> CreateSupplierAsync(SupplierDto supplierDto); Task<ServiceResult> UpdateSupplierAsync(SupplierDto supplierDto); // Parameter vereinfacht
Task<ServiceResult> DeleteSupplierAsync(Guid id);
// --- HIER DIE FEHLENDEN METHODEN ERGÄNZEN ---
Task<bool> UpdateSupplierAsync(Guid id, SupplierDto supplierDto);
Task<bool> DeleteSupplierAsync(Guid id);
} }
} }