0

在我的表中,我有两个链接:

@Html.ActionLink("Edit", "Edit", new { id = item.Id }) |
@Html.ActionLink("Events", "LocationEvents", "Events", new {locationId = item.Id}, null)

现在我的目标是当我将鼠标悬停在链接上时,我希望两者的 url 看起来像这样:

/Locations/Edit/4
/Events/LocationEvents/4

但是,我得到了这个:

/Locations/Edit?id=4
/Events/LocationEvents/4

这是我的 RouteConfig.cs

    routes.MapRoute(
        name: "Events",
        url: "{controller}/{action}/{locationId}",
        defaults: new {controller = "Locations", action = "Index", locationId = UrlParameter.Optional}
    );

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

我该如何进行这项工作?

4

1 回答 1

2

简单地说,你不能有两条这样的路线。它们在功能上都是相同的,都采用控制器、动作和某种 id 值。id 参数名称不同的事实不足以区分路由。

首先,您需要通过硬编码其中一个参数来区分路线。例如,您可以执行以下操作:

routes.MapRoute(
    name: "Events",
    url: "Events/{action}/{locationId}",
    defaults: new {controller = "Locations", action = "Index", locationId = UrlParameter.Optional}
);

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

然后,第一个路由将只匹配以“事件”开头的 URL。否则,将使用默认路由。当客户端请求 URL 时,这是正确处理路由所必需的。它在生成路线方面仍然没有帮助您,因为UrlHelper没有足够的信息来确定选择哪一个。为此,您需要使用路由名称来明确告诉它使用哪一个:

@Html.RouteLink("Default", new { controller = "Edit", action = "edit", id = item.Id })

坦率地说,RouteConfig 风格的路由是一个巨大的痛苦。除非,您正在处理一个非常简单的结构,几乎可以由默认路由处理,那么您最好使用属性路由,您可以在其中描述每个操作应该具有的确切路由。例如:

[RoutePrefix("Events")]
public class EventsController : Controller
{
    ...

    [Route("LocationEvents", Name = "LocationEvents")]
    public ActionResult LocationEvents(int locationId)
    {
        ...
    }
}

然后,它是绝对明确的,如果您想确保获得完全正确的路线,您可以使用该名称(与Html.RouteLink,Url.RouteUrl等结合使用)。

于 2017-10-02T17:07:02.257 回答