Reputation: 537
Was wondering if it was possible to have more than one route pointing to a WebApi controller?
For example I will like to have both http://domain/calculate and http://domain/v2/calculate pointing to the same controller function?
Upvotes: 39
Views: 47694
Reputation: 41
public class HomeController : Controller
{
[Route("")]
[Route("Home")]
[Route("Home/Index")]
[Route("Home/Index/{id?}")]
public IActionResult Index(int? id)
{
return ControllerContext.MyDisplayRouteInfo(id);
}
[Route("Home/About")]
[Route("Home/About/{id?}")]
public IActionResult About(int? id)
{
return ControllerContext.MyDisplayRouteInfo(id);
}
}
Or Read in Link https://learn.microsoft.com/en-us/aspnet/core/mvc/controllers/routing?view=aspnetcore-6.0
Upvotes: 4
Reputation: 2668
public static class WebApiConfig
{
public static void Register(HttpConfiguration config)
{
// Web API configuration and services
// Configure Web API to use only bearer token authentication.
config.SuppressDefaultHostAuthentication();
config.Filters.Add(new HostAuthenticationFilter(OAuthDefaults.AuthenticationType));
// Web API routes
config.MapHttpAttributeRoutes();
config.Routes.MapHttpRoute(
name: "route1",
routeTemplate: "calculate",
defaults: new { controller = "Calculator", action = "Get" });
config.Routes.MapHttpRoute(
name: "route2",
routeTemplate: "v2/calculate",
defaults: new { controller = "Calculator", action = "Get" });
config.Routes.MapHttpRoute(
name: "DefaultApi",
routeTemplate: "api/{controller}/{id}",
defaults: new { id = RouteParameter.Optional }
);
}
}
OR
public class CalculatorController: ApiController
{
[Route("calculate")]
[Route("v2/calculate")]
public String Get() {
return "xxxx";
}
}
Upvotes: 69