dev-notes/docs/dotnet/asp.net/rest-api.md

54 lines
1.2 KiB
Markdown
Raw Normal View History

2022-02-06 21:09:44 +01:00
# ASP.NET REST API
2021-09-19 12:10:20 +02:00
2021-01-31 11:05:37 +01:00
```cs
2021-11-09 14:51:42 +01:00
[Route("api/endpoint")]
[ApiController]
2022-02-06 21:09:44 +01:00
public class EntitiesController : ControllerBase // API controller
2021-01-31 11:05:37 +01:00
{
2022-02-06 21:09:44 +01:00
private readonly IEntityService _service;
2021-01-31 11:05:37 +01:00
2022-02-06 21:09:44 +01:00
public EntitiesController(IEntityService service, IMapper mapper)
2021-01-31 11:05:37 +01:00
{
2022-02-06 21:09:44 +01:00
_service = service;
2021-11-09 14:51:42 +01:00
_mapper = mapper
}
2021-01-31 11:05:37 +01:00
2021-11-09 14:51:42 +01:00
[HttpGet] // GET api/endpoint
2022-02-06 21:09:44 +01:00
public ActionResult<IEnumerable<EntityDTO>> GetEntities()
2021-11-09 14:51:42 +01:00
{
2022-02-06 21:09:44 +01:00
IEnumerable<EntityDTO> results = /* ... */
return Ok(results);
2021-11-09 14:51:42 +01:00
}
2021-11-09 14:51:42 +01:00
[HttpGet("{id}")] // GET api/endpoint/{id}
2022-02-06 21:09:44 +01:00
public ActionResult<EntityDTO> GetEntityById(int id)
2021-11-09 14:51:42 +01:00
{
2022-02-06 21:09:44 +01:00
var result = /* .. */;
2021-11-09 14:51:42 +01:00
if(result != null)
2021-01-31 11:05:37 +01:00
{
2022-02-06 21:09:44 +01:00
return Ok(result);
2021-01-31 11:05:37 +01:00
}
2021-11-09 14:51:42 +01:00
return NotFound();
2021-01-31 11:05:37 +01:00
}
2022-02-06 21:09:44 +01:00
[HttpPost] // POST api/endpoint
public ActionResult<EntityDTO> CreateEntity([FromBody] EntityDTO entity)
2021-11-09 14:51:42 +01:00
{
2022-02-06 21:09:44 +01:00
// persist the entity
var id = /* ID of the created entity */
return Created(id, entity);
2021-11-09 14:51:42 +01:00
}
2022-02-06 21:09:44 +01:00
[HttpPut] // PUT api/endpoint
public ActionResult<EntityDTO> UpdateEntity([FromBody] EntityDTO entity)
2021-11-09 14:51:42 +01:00
{
2022-02-06 21:09:44 +01:00
// persist the updated entity
return Created(uri, entity);
2021-01-31 11:05:37 +01:00
}
}
```