如何在 ASP.NET Core Web API 中使用相同数量的参数重载控制器方法?

How to overload controller methods with same number of arguments in ASP.NET Core Web API?

我正在将完整的 .NET Framework Web API 2 REST 项目迁移到 ASP.NET Core 2.2 并且在路由中有点迷路。

在网络中 API 2 我能够根据参数类型使用相同数量的参数重载路由,例如我可以有 Customer.Get(int ContactId)Customer.Get(DateTime includeCustomersCreatedSince) 并且传入的请求将被相应地路由。

我无法在 .NET Core 中实现同样的事情,我收到 405 错误或 404 而这个错误:

"{\"error\":\"The request matched multiple endpoints. Matches: \r\n\r\n[AssemblyName].Controllers.CustomerController.Get ([AssemblyName])\r\n[AssemblyName].Controllers.CustomerController.Get ([AssemblyName])\"}"

这是我完整的 .NET 框架应用程序 Web 中的工作代码 API 2 应用程序:

[RequireHttps]    
public class CustomerController : ApiController
{
    [HttpGet]
    [ResponseType(typeof(CustomerForWeb))]
    public async Task<IHttpActionResult> Get(int contactId)
    {
       // some code
    }

    [HttpGet]
    [ResponseType(typeof(List<CustomerForWeb>))]
    public async Task<IHttpActionResult> Get(DateTime includeCustomersCreatedSince)
    {
        // some other code
    }
}

这就是我在 Core 2.2 中将其转换为的内容:

[Produces("application/json")]
[RequireHttps]
[Route("api/[controller]")]
[ApiController]
public class CustomerController : Controller
{
    public async Task<ActionResult<CustomerForWeb>> Get([FromQuery] int contactId)
    {
        // some code
    }

    public async Task<ActionResult<List<CustomerForWeb>>> Get([FromQuery] DateTime includeCustomersCreatedSince)
    {
        // some code
    }
}

如果我注释掉其中一个 Get 方法,上面的代码就可以工作,但是一旦我有两个 Get 方法就会失败。我希望 FromQuery 在请求中使用参数名称来引导路由,但事实并非如此?

是否可以重载这样的控制器方法,其中您具有相同数量的参数并且根据参数类型或参数名称进行路由?

你不能做动作重载。路由在 ASP.NET Core 中的工作方式与在 ASP.NET Web Api 中的工作方式不同。但是,您可以简单地组合这些操作,然后在内部分支,因为所有参数都是可选的:

public async Task<ActionResult<CustomerForWeb>> Get(int contactId, DateTime includeCustomersCreatedSince)
{
    if (contactId != default)
    {
        ...
    }
    else if (includedCustomersCreatedSince != default)
    {
        ...
    }
}

您可以简单地为每种方法使用不同的路线,例如

    [HttpPost("add")]
    public void add(string StringParam)
    {
    }

    [HttpPost("add-overload-1")]
    public void add(int IntParam)
    {
    }


    [HttpPost("add-overload-2")]
    public void add(bool BoolParam)
    {
    }