Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Creating a route that can accept a DateTime in the URI with asp.net web api 2 attribute routing

I'm trying to see if I need to write a custom IHttpRouteConstraint or if I can wrestle with the built-in ones to get what I want. I can't see to find any good documentation on this anywhere.

Basically, here's my action:

[Route("var/{varId:int:min(1)}/slot/{*slot:datetime}")]
public async Task<HttpResponseMessage> Put(int varId, DateTime slot)
{
    ...
}

What I want is to be able to call it like this: PUT /api/data/var/1/slot/2012/01/01/131516 and have the framework bind 19 to var id and a DateTime with a value of "Jan 1st, 2012, 1:15:16pm" as the "slot" value.

Following the guide from here: http://www.asp.net/web-api/overview/web-api-routing-and-actions/create-a-rest-api-with-attribute-routing I am able to get it to work by passing in just the date segments, i.e. PUT /api/data/var/1/slot/2012/01/01 or PUT /api/data/var/1/slot/2012-01-01, but that only gives me a data value, no time components.

Something tells me that trying to pass in time in any sane way through URI segments is a bad idea, but I'm not sure why it'd be a bad idea, besides the ambiguity regarding local vs UTC times.

I've also tried constraining the datetime constraint with a regex, e.g. {slot:datetime:regex(\\d{4}/\\d{2}/\\d{2})/\\d{4})} to try to get it to parse something like 2013/01/01/151617 as a DateTime, but to no avail.

I'm pretty sure I can get this to work with a custom IHttpRouteConstraint, I just don't want to do something that might be built in.

Thanks!

like image 262
Dimitar Velitchkov Avatar asked Dec 15 '22 04:12

Dimitar Velitchkov


1 Answers

an option is to pass the DateTime as query string parameters (see [FromUri]

e.g.

[Route("api/Customer/{customerId}/Calls/")]
public List<CallDto> GetCalls(int customerId, [FromUri]DateTime start, [FromUri]DateTime end)

this will have a signature of

GET api/Customer/{customerId}/Calls?start={start}&end={end}

Create the query string dates with

startDate.ToString("s", CultureInfo.InvariantCulture);

query string will look like

api/Customer/81/Calls?start=2014-07-25T00:00:00&end=2014-07-26T00:00:00
like image 176
Aaron Avatar answered Apr 26 '23 04:04

Aaron