98 lines
3.2 KiB
C#
98 lines
3.2 KiB
C#
using DamageAssesment.Api.Surveys.Interfaces;
|
|
using Microsoft.AspNetCore.Authorization;
|
|
using Microsoft.AspNetCore.Mvc;
|
|
|
|
namespace DamageAssesment.Api.Surveys.Controllers
|
|
{
|
|
[ApiController]
|
|
public class SurveysController : ControllerBase
|
|
{
|
|
private ISurveyProvider surveyProvider;
|
|
|
|
public SurveysController(ISurveyProvider surveyProvider)
|
|
{
|
|
this.surveyProvider = surveyProvider;
|
|
}
|
|
/// <summary>
|
|
/// GET request for retrieving surveys.
|
|
/// </summary>
|
|
[Authorize(Roles ="admin,survey,user,report")]
|
|
[Route("Surveys")]
|
|
[Route("Surveys/{language:alpha}")]
|
|
[HttpGet]
|
|
public async Task<ActionResult> GetSurveysAsync(string? language)
|
|
{
|
|
var result = await this.surveyProvider.GetSurveysAsync(language);
|
|
if (result.IsSuccess)
|
|
{
|
|
return Ok(result.Surveys);
|
|
}
|
|
return NoContent();
|
|
}
|
|
|
|
/// <summary>
|
|
/// GET request for retrieving surveys by ID.
|
|
/// </summary>
|
|
[Authorize(Roles = "admin,survey,user,report")]
|
|
[Route("Surveys/{id:int}")]
|
|
[Route("Surveys/{id:int}/{language:alpha}")]
|
|
[HttpGet]
|
|
public async Task<ActionResult> GetSurveysAsync(int id, string? language)
|
|
{
|
|
var result = await this.surveyProvider.GetSurveysAsync(id, language);
|
|
if (result.IsSuccess)
|
|
{
|
|
return Ok(result.Surveys);
|
|
}
|
|
return NotFound();
|
|
}
|
|
/// <summary>
|
|
/// POST request for creating a new survey.
|
|
/// </summary>
|
|
[Authorize(Roles = "admin,survey,user,report")]
|
|
[HttpPost("Surveys")]
|
|
public async Task<ActionResult> PostSurveysAsync(Models.Survey survey)
|
|
{
|
|
var result = await this.surveyProvider.PostSurveyAsync(survey);
|
|
if (result.IsSuccess)
|
|
{
|
|
return Ok(result.Survey);
|
|
}
|
|
return BadRequest(result.ErrorMessage);
|
|
}
|
|
/// <summary>
|
|
/// PUT request for updating an existing survey (surveyId,Updated Survey data).
|
|
/// </summary>
|
|
|
|
[Authorize(Roles = "admin,survey")]
|
|
[HttpPut("Surveys/{id}")]
|
|
public async Task<ActionResult> PutSurveysAsync(int id, Models.Survey survey)
|
|
{
|
|
var result = await this.surveyProvider.PutSurveyAsync(id, survey);
|
|
if (result.IsSuccess)
|
|
{
|
|
return Ok(result.Survey);
|
|
}
|
|
if (result.ErrorMessage == "Not Found")
|
|
return NotFound(result.ErrorMessage);
|
|
|
|
return BadRequest(result.ErrorMessage);
|
|
}
|
|
|
|
/// <summary>
|
|
/// DELETE request for deleting a survey by ID.
|
|
/// </summary>
|
|
[Authorize(Roles = "admin,survey")]
|
|
[HttpDelete("Surveys/{id}")]
|
|
public async Task<ActionResult> DeleteSurveysAsync(int id)
|
|
{
|
|
var result = await this.surveyProvider.DeleteSurveyAsync(id);
|
|
if (result.IsSuccess)
|
|
{
|
|
return Ok(result.Survey);
|
|
}
|
|
return NotFound();
|
|
}
|
|
}
|
|
}
|