Get Current Route Name From ASP.NET Web API Request

Written by Khalid Abuhakmeh

At RIMdev, we are attempting to layer Hypermedia concepts into our APIs. One of these concepts is to have a collection of links to related resources on our responses. While on face value it may seem simple to generate links, it can be daunting given the many options you have to do so. We have decided to leverage the current Web API infrastructure and UrlHelper to more consistently generate links and adapt to our architectural changes. We even wrote a NuGet package called SupUrlative that makes it really easy to do so.

var generator = new Generator(httpRequestMessage);
var result = generator.Generate("routeName", request);

result.Url;
result.Template;

Note that SupUrlative needs a routename. In most instances, the route name is obvious. In some instances of code reuse, you’ll need to dynamically understand where you are in the code and ask the question.

What route am I currently on?

Take the following controller action for example.

[HttpGet, HttpPost]
[Route("", Name = "SearchIndex")]
public async Task<IHttpActionResult> Index(SearchIndexRequest request)
{
    //... code goes here
}

We have already decorated our action with the route name. Using that string again is redundant and prone to errors. There is a better approach.

[HttpGet, HttpPost]
[Route("", Name = "SearchIndex")]
public async Task<IHttpActionResult> Index(SearchIndexRequest request)
{
    var generator = new Generator(httpRequestMessage);
    // Our extension method to get the current route name: "SearchIndex"
    var routeName = url.GetCurrentRouteName();
    var result = generator.Generate(routeName, request);
}

Here is the code for that extension method.

public static class UrlHelperExtensions
{
    public static string GetCurrentRouteName(this UrlHelper url)
    {
        object value;
        var dataTokens = url.Request.GetRouteData().Route.DataTokens;

        return dataTokens.TryGetValue("RouteName", out value)
            ? value.ToString()
            : null;
    }
}

Published February 17, 2017 by

undefined avatar
Khalid Abuhakmeh Github Director of Software Development (Former)

Suggested Reading