using AsbCloudApp.Data;
using AsbCloudApp.Services;
using Microsoft.AspNetCore.Authorization;
using Microsoft.AspNetCore.Mvc;
using System;
using System.Collections.Generic;
using System.Threading;
using System.Threading.Tasks;
// For more information on enabling Web API for empty projects, visit https://go.microsoft.com/fwlink/?LinkID=397860
namespace AsbCloudWebApi.Controllers
{
///
/// CRUD контроллер для админки.
///
///
///
[ApiController]
[Authorize]
public abstract class CrudController : ControllerBase
where T : IId
where TService : ICrudService
{
protected readonly TService service;
public Func> InsertForbidAsync { get; protected set; } = null;
public Func> UpdateForbidAsync { get; protected set; } = null;
public Func> DeleteForbidAsync { get; protected set; } = null;
public CrudController(TService service)
{
this.service = service;
}
///
/// Получить все записи
///
/// CancellationToken
/// все записи
[HttpGet("all")]
[Permission]
public virtual async Task>> GetAllAsync(CancellationToken token = default)
{
var result = await service.GetAllAsync(token).ConfigureAwait(false);
return Ok(result);
}
///
/// Получить одну запись по Id
///
/// id записи
///
/// запись
[HttpGet("{id}")]
[Permission]
public virtual async Task> GetAsync(int id, CancellationToken token = default)
{
var result = await service.GetAsync(id, token).ConfigureAwait(false);
return Ok(result);
}
///
/// Добавить запись
///
/// запись
///
/// id
[HttpPost]
[Permission]
public virtual async Task> InsertAsync([FromBody] T value, CancellationToken token = default)
{
if (InsertForbidAsync is not null && await InsertForbidAsync(value, token))
Forbid();
var result = await service.InsertAsync(value, token).ConfigureAwait(false);
return Ok(result);
}
///
/// Редактировать запись по id
///
/// id записи
/// запись
///
/// 1 - успешно отредактировано, 0 - нет
[HttpPut("{id}")]
[Permission]
public virtual async Task> UpdateAsync(int id, [FromBody] T value, CancellationToken token = default)
{
if (UpdateForbidAsync is not null && await UpdateForbidAsync(id, value, token))
Forbid();
var result = await service.UpdateAsync(id, value, token).ConfigureAwait(false);
if (result == 0)
return BadRequest($"id:{id} does not exist in the db");
return Ok(result);
}
///
/// Удалить запись по id
///
/// id записи
///
/// 1 - успешно удалено, 0 - нет
[HttpDelete("{id}")]
public virtual async Task> DeleteAsync(int id, CancellationToken token = default)
{
if (DeleteForbidAsync is not null && await DeleteForbidAsync(id, token))
Forbid();
var result = await service.DeleteAsync(id, token).ConfigureAwait(false);
return Ok(result);
}
}
}