MVC 6多个获取方法

时间:2016-01-18 01:58:27

标签: c# asp.net-core-mvc asp.net-core-routing

我试图为每个控制器支持多个Get()方法,以及只能通过web api访问的特殊命名方法。我已经在MVC 5中完成了这个,但似乎无法弄清楚它是如何在MVC 6中完成的。任何想法?感谢。

2 个答案:

答案 0 :(得分:28)

您不能拥有多个具有相同网址格式的Get方法。您可以使用属性路由并为不同的URL模式设置多个GET方法。

[Route("api/[controller]")]
public class IssuesController : Controller
{
    // GET: api/Issues
    [HttpGet]
    public IEnumerable<string> Get()
    {
        return new string[] { "item 1", "item 2" };
    }

    // GET api/Issues/5
    [HttpGet("{id}")]
    public string Get(int id)
    {
        return "request for "+ id;
    }

    // GET api/Issues/special/5
    [HttpGet("special/{id}")]
    public string GetSpecial(int id)
    {
        return "special request for "+id;
    }
    // GET another/5
    [HttpGet("~/another/{id}")]
    public string AnotherOne(int id)
    {
        return "request for AnotherOne method with id:" + id;
    }
    // GET api/special2/5
    [HttpGet()]
    [Route("~/api/special2/{id}")]
    public string GetSpecial2(int id)
    {
        return "request for GetSpecial2 method with id:" + id;
    }
}

您可以看到我使用HttpGetRoute属性来定义路线模式。

通过上述配置,您将获得以下回复

  

请求网址:yourSite / api / issues /

结果["value1","value2"]

  

请求网址:yourSite / api / issues / 4

结果request for 4

  

请求网址:yourSite / api / special2 / 6

结果request for GetSpecial2 method with id:6

  

请求网址:yourSite / another / 3

结果request for AnotherOne method with id:3

答案 1 :(得分:17)

您可以使用属性路由链接 -

[Route("api/[controller]")] /* this is the defualt prefix for all routes, see line 20 for overridding it */
public class ValuesController : Controller
{
    [HttpGet] // this api/Values
    public string Get()
    {
        return string.Format("Get: simple get");
    }

    [Route("GetByAdminId")] /* this route becomes api/[controller]/GetByAdminId */
    public string GetByAdminId([FromQuery] int adminId)
    {
        return $"GetByAdminId: You passed in {adminId}";
    }

    [Route("/someotherapi/[controller]/GetByMemberId")] /* note the / at the start, you need this to override the route at the controller level */
    public string GetByMemberId([FromQuery] int memberId)
    {
        return $"GetByMemberId: You passed in {memberId}";
    }

    [HttpGet]
    [Route("IsFirstNumberBigger")] /* this route becomes api/[controller]/IsFirstNumberBigger */
    public string IsFirstNumberBigger([FromQuery] int firstNum, int secondNum)
    {
        if (firstNum > secondNum)
        {
            return $"{firstNum} is bigger than {secondNum}";
        }
        return $"{firstNum} is NOT bigger than {secondNum}";
    }
}

请点击此处了解更多详情 - http://nodogmablog.bryanhogan.net/2016/01/asp-net-5-web-api-controller-with-multiple-get-methods/