AttributeRouting 修复两个名为 Id 的参数

AttributeRouting to Fix Two Params named Id

所以我有一个项目使用

的默认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 页面。 (以防万一上面的link不起作用,我将在这里详细描述代码)。

详情

在我的项目中我使用 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 window 的 this.ModelState 对象,我发现错误消息说

The value 'abc123' is not valid for Id.'

我认为这是因为模型联编程序试图将 abc123 绑定到 ViewModel 上的 Idint 作为 Id 属性.

我试过的

这是我到目前为止在 Controller 上尝试做的事情:

[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 页面,甚至无法尝试提交表单。

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

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

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

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

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

另外请确保,在注册默认路由之前,您正在调用上面的方法。那是因为第一个配置首先匹配,当路由器解析路由时。

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

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

一样,您还应该将 RouteAttribute 添加到您的其他操作中,并使用 HttpGetAttribute.

装饰您的 GET 操作