有没有办法执行基于参数类型的Action方法的重载?
即可以在控制器中执行以下操作
即可以在控制器中执行以下操作
public class MyController : ApiController { public Foo Get(int id) { //whatever } public Foo Get(string id) { //whatever } public Foo Get(Guid id) { //whatever } }
如果是这样,需要对Route表进行哪些更改。
解决方法
标准路由方法不能很好地支持这种情况。
您可能想要使用attribute based routing,因为这样可以让您有更多的灵活性。
具体看看你可以通过类型路由的路由约束:
// 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",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",defaults: new { action = "GetByString" } );
更新
我通常会使用一个POST,如果做一个FromBody(可能使用与该模型的FromUri),但您的要求可以通过添加以下来满足。
对于控制器
[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" } );