如何将查询字符串映射到 MVC 中的操作方法参数



我有一个网址http://localhost/Home/DomSomething?t=123&s=TX,我想将此网址路由到以下操作方法

public class HomeController
{
   public ActionResult DoSomething(int taxYear,string state)
   {
      // do something here
   }
}

由于查询字符串名称与操作方法的参数名称不匹配,因此请求不会路由到操作方法。

如果我将 url(仅用于测试)更改为 http://localhost/Home/DomSomething?taxYear=123&state=TX那么它可以工作。(但我无权更改请求。

我知道Route属性可以应用于操作方法,并且可以将t映射到taxYears映射到state

但是我没有找到此映射的 Route 属性的正确语法,有人可以帮忙吗?

选项 1

如果查询字符串参数始终为 ts,则可以使用前缀。请注意,它不再接受税收年度

http://localhost:10096/home/DoSomething?t=123&s=TX
public ActionResult DoSomething([Bind(Prefix = "t")] int taxYear, 
   [Bind(Prefix = "s")] string state)
{
    // do something here
}

选项 2

如果要同时接受这两个 URL,则声明所有参数,并手动检查哪个参数具有值 -

http://localhost:10096/home/DoSomething?t=123&s=TX
http://localhost:10096/home/DoSomething?taxYear=123&state=TX
public ActionResult DoSomething(
    int? t = null, int? taxYear = null, string s = "",  string state = "")
{
    // do something here
}

选项 3

如果您不介意使用第三方包,则可以使用 ActionParameterAlias。它接受这两个 URL。

http://localhost:10096/home/DoSomething?t=123&s=TX
http://localhost:10096/home/DoSomething?taxYear=123&state=TX
[ParameterAlias("taxYear", "t")]
[ParameterAlias("state", "s")]
public ActionResult DoSomething(int taxYear, string state)
{
    // do something here
}

最新更新