基于参数types重载web api动作方法

有没有办法执行基于参数types的重载的Action方法? 即是否可以在控制器中执行以下操作

public class MyController : ApiController { public Foo Get(int id) { //whatever } public Foo Get(string id) { //whatever } public Foo Get(Guid id) { //whatever } } 

如果是这样,需要对路由表进行哪些更改。

标准路由方法不能很好地支持这种情况。

您可能想要使用基于属性的路由,因为这给您提供了更多的灵活性。

具体看一下你可以通过types路由的路由约束:

 // Type constraints [GET("Int/{x:int}")] [GET("Guid/{x:guid}")] 

其他任何东西都会变成一些黑客…例如

如果您使用标准路由进行尝试,则可能需要通过名称路由到正确的操作,然后使用reg ex的约束(例如guid )路由到所需的默认操作。

控制器:

 public class MyController : ApiController { [ActionName("GetById")] public Foo Get(int id) { //whatever } [ActionName("GetByString")] public Foo Get(string id) { //whatever } [ActionName("GetByGUID")] public Foo Get(Guid id) { //whatever } } 

路线:

  //Should match /api/My/1 config.Routes.MapHttpRoute( name: "DefaultDigitApi", routeTemplate: "api/{controller}/{id}", defaults: new { action = "GetById" }, constraints: new { id = @"^\d+$" } // id must be digits ); //Should match /api/My/3ead6bea-4a0a-42ae-a009-853e2243cfa3 config.Routes.MapHttpRoute( name: "DefaultGuidApi", routeTemplate: "api/{controller}/{id}", defaults: new { action = "GetByGUID" }, constraints: new { id = @"^(\{{0,1}([0-9a-fA-F]){8}-([0-9a-fA-F]){4}-([0-9a-fA-F]){4}-([0-9a-fA-F]){4}-([0-9a-fA-F]){12}\}{0,1})$" } // id must be guid ); //Should match /api/My/everything else config.Routes.MapHttpRoute( name: "DefaultStringApi", routeTemplate: "api/{controller}/{id}", defaults: new { action = "GetByString" } ); 

更新

我通常会使用一个POST,如果做一个FromBody(也许使用FromUri来replace模型),但是可以通过添加以下内容来满足您的需求。

对于控制器

  [ActionName("GetAll")] public string Get([FromBody]MyFooSearch model) { if (model != null) { //search criteria at api/my } //default for api/my } //should match /api/my config.Routes.MapHttpRoute( name: "DefaultCollection", routeTemplate: "api/{controller}", defaults: new { action = "GetAll" } ); 

你可以编写你的方法如下

  [Route("api/My/{id:int}")] public string Get(int id) { return "value"; } [Route("api/My/{name:alpha}")] public string Get(string name) { return name; } [Route("api/My/{id:Guid}")] public string Get(Guid id) { return "value"; }