41

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

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

   public Foo Get(string id) { //whatever }

   public Foo Get(Guid id)  { //whatever }
}

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

4

2 回答 2

35

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

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

具体查看可以按类型路由的路由约束:

// 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" }
        );

更新

如果做 FromBody,我通常会使用 POST (也许使用模型的 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" }
            );
于 2013-01-16T12:36:48.817 回答
7

您可以如下编码您的方法

    [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";
    }
于 2016-07-14T08:58:32.067 回答