WebAPI 控制器中的 MVC 路由

MVC Routes within WebAPI controller

关于 MVC 和 Web 中的路由的快速问题API。我已将路线添加到路线 config.cs:

        routes.MapRoute(
            name: "ConfirmEmail",
            url: "ConfirmEmail/{userid}",
            defaults: new { controller = "Email", action = "ConfirmEmail" }
        );

这是在 global.asax 中正常注册的:

RouteConfig.RegisterRoutes(RouteTable.Routes);

我正在尝试生成一个 URL 以供在电子邮件中使用,该电子邮件作为 WebAPI 控制器函数中函数调用的一部分发送。我正在使用 UrlHelper.Link 函数尝试生成 URL,但是我收到一条错误消息,指出无法通过名称找到路由:

var url = Url.Link("ConfirmEmail", new { userid = "someUserId" });

现在我的印象是路由字典在 MVC 和 WebAPI 控制器上下文中共享,但是我在传入 Web API 调用的路由字典中看不到 MVC 路由(在Request 对象)但是我定义的 WebAPI 路由在那里。

我是不是漏掉了什么?

MVC 和 Web API 的路由 table 完全不同。虽然语法看起来相似,但它们操作的路由 table 是不同的。

但是,MVC 使用静态对象进行配置,因此您可以使用 System.Web.Routing.RouteTable.Routes.

从 API 控制器中访问全局 MVC 路由 table

然而,这不允许您使用 Url.Link,因此我建议您在路由注册中使用常量格式。

利用 Richards 提示在哪里可以找到路线,我整理了以下函数:

    // Map an MVC route within ApiController
    private static string _MvcRouteURL(string routeName, object routeValues)
    {
        string mvcRouteUrl = "";

        // Create an HttpContextBase for the current context, used within the routing context
        HttpContextBase httpContext = new System.Web.HttpContextWrapper(HttpContext.Current);

        // Get the route data for the current request
        RouteData routeData = HttpContext.Current.Request.RequestContext.RouteData;

        // Create a new RequestContext object using the route data and context created above
        var reqContext = new System.Web.Routing.RequestContext(httpContext, routeData);

        // Create an Mvc UrlHelper using the new request context and the routes within the routing table
        var helper = new System.Web.Mvc.UrlHelper(reqContext, System.Web.Routing.RouteTable.Routes);

        // Can now use the helper to generate Url for the named route!
        mvcRouteUrl = helper.Action(routeName, null, routeValues, HttpContext.Current.Request.Url.Scheme);

        return mvcRouteUrl;
    }

它有点原始,但对我来说很管用,我只是想把它放在这里以防其他人遇到同样的问题!

这是从 WebApi 生成指向 MVC 路由的链接的更简洁的方法。我在自定义基础 api 控制器中使用此方法。

protected string MvcRoute(string routeName, object routeValues = null)
{
    return new System.Web.Mvc.UrlHelper(System.Web.HttpContext.Current.Request.RequestContext)
       .RouteUrl(routeName, routeValues, System.Web.HttpContext.Current.Request.Url.Scheme);

}