AttributeRouting修复两个名为Id的参数

时间:2018-07-20 02:28:18

标签: c# asp.net-mvc asp.net-mvc-5 asp.net-mvc-routing attributerouting

所以我有一个使用默认Route的项目

routes.MapRoute(
    name: "Default",
    url: "{controller}/{action}/{id}",
    defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional }
);

我刚遇到7年前在MVC Pro Tip: Don't use the "id" URL parameter in your routes描述的情况。

他们拥有的解决方案很棒,但是目前,我不想更改整个站点。我希望通过Attribute Routing解决我的问题。

但是,我似乎无法正常工作,并且收到404 Error页。 (以防万一上面的链接不起作用,我将在此处详细描述代码)。

详细信息

在我的项目中,我使用ViewModelsViewModel(非常简单)定义为:

public class Foo {
    public int Id { get; set; }
    ...
}

我的BarController如下:

public ActionResult Create(string id) {
    if (string.IsNullOrWhiteSpace(id)) {
        return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
    }
    ...
}

[HttpPost]
public ActionResult Create(string id, Foo viewModel) {
    if (string.IsNullOrWhiteSpace(id)) {
        return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
    }
    ...
}

错误

当我导航到/Bar/Create/abc123时,我看到我的表单就好了。但是,当我提交表单时,Model.IsValidfalse。在Watch对象的this.ModelState窗口中,我发现了要说的错误消息

  

值“ abc123”对于ID无效。

我认为这是因为模型绑定程序正在尝试将abc123绑定到Id作为ViewModel属性的int上的IdController上。 / p>

我尝试过的事情

到目前为止,这是我在[Route("Bar/Create/{aid}", Name = "FooBarRouteName")] public ActionResult Create(string aid) { if (string.IsNullOrWhiteSpace(aid)) { return new HttpStatusCodeResult(HttpStatusCode.BadRequest); } ... } [HttpPost] public ActionResult Create(string aid, Foo viewModel) { if (string.IsNullOrWhiteSpace(aid)) { return new HttpStatusCodeResult(HttpStatusCode.BadRequest); } ... } 上尝试做的事情:

/Bar/Create/abc123

现在的问题是,当我导航到404 Error时,我得到了一个String.split页面,甚至无法尝试提交表单。

有人可以指出我正确的方向还是找出我做错了什么?谢谢!

2 个答案:

答案 0 :(得分:2)

首先请确保在基于约定的路由之前启用属性路由,以避免路由冲突。

//Attribute routing
routes.MapMvcAttributeRoutes();

//Convention-based routing
routes.MapRoute(
    name: "Default",
    url: "{controller}/{action}/{id}",
    defaults: new { controller = "Home", action = "Index", id = UrlParameter.Optional }
);

您在POST操作中缺少路由。

如果使用属性路由,则必须装饰控制器上的所有动作

[HttpGet]
[Route("Bar/Create/{aid}", Name = "FooBarRouteName")] // GET Bar/Create/abc123
public ActionResult Create(string aid) {
    if (string.IsNullOrWhiteSpace(aid)) {
        return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
    }
    ...
}

[HttpPost]
[Route("Bar/Create/{aid}")] // POST Bar/Create/abc123
public ActionResult Create(string aid, Foo viewModel) {
    if (string.IsNullOrWhiteSpace(aid)) {
        return new HttpStatusCodeResult(HttpStatusCode.BadRequest);
    }
    ...
}

答案 1 :(得分:2)

转储问题:您是否在RouteConfig中更新了RegisterRoutes?

routes.MapMvcAttributeRoutes(); // should be the first call

还要确保在注册默认路由之前,您正在上述电话中。这是因为,当路由器解析路由时,第一个配置首先匹配。

如果您正在使用区域,还需要确保global.asax中的顺序正确:

RouteConfig.RegisterRoutes(RouteTable.Routes); //needs to be first
AreaRegistration.RegisterAllAreas();

answered by Nkosi一样,您还应该将RouteAttribute添加到其他操作中,并用HttpGetAttribute装饰GET操作。