Search code examples
c#asp.net-coreasp.net-core-mvcattributerouting

Attribute Routing Inheritance


I always used this approach in my MVC applications before

[Route("admin")]
public class AdminController : Controller
{

}

[Route("products")]
public class ProductsAdminController :AdminController
{ 
    [Route("list")]
    public IActionResult Index()
    {
        ...
    }
}

Url.RouteUrl() for Index action returned /admin/products/list/

Now in .NET Core it ignores base class route attribute and result is just /products/list/ Is this new to .NET Core? Is there any setup so system can combine action + controller + base-controller routes?


Solution

  • I can't find a way to combine action + controller + base-controller automatically, but it is possible to achieve what you're looking for like this:

    [Route("admin")]
    public class AdminController : Controller { }
    
    public class ProductsAdminController : AdminController
    { 
        [Route("products/list")]
        public IActionResult Index()
        {
            ...
        }
    }
    

    This approach ends up generating a URL of /admin/products/list, with the obvious downside that products is something that needs to be repeated for each action. This might be an acceptable compromise; that's up to you to decide. You could make it a bit better with a constant, like this:

    private const string RoutePrefix = "products";
    
    [Route(RoutePrefix + "/list")]
    public IActionResult Index()
    {
        ...
    }
    

    It's not pretty as it's just a workaround, but worth considering if you don't want to go with Chris Pratt's Areas suggestion.