3

是否可以在不知道 ViewContext(例如,在控制器中)的情况下从操作中获取 URL?像这样的东西:

LinkBuilder.BuildUrlFromExpression(ViewContext context, Expression<Action<T>> action)

...但使用 Controller.RouteData 而不是 ViewContext。我似乎在这上面有金属块。

4

2 回答 2

5

这是我在单元测试中的做法:

    private string RouteValueDictionaryToUrl(RouteValueDictionary rvd)
    {
        var context = MvcMockHelpers.FakeHttpContext("~/");
        // _routes is a RouteCollection
        var vpd = _routes.GetVirtualPath(
            new RequestContext(context, _
                routes.GetRouteData(context)), rvd);
        return vpd.VirtualPath;
    }

根据评论,我将适应控制器:

string path = RouteTable.Routes.GetVirtualPath(
    new RequestContext(HttpContext, 
        RouteTable.Routes.GetRouteData(HttpContext)),
    new RouteValueDictionary( 
        new { controller = "Foo",
              action = "Bar" })).VirtualPath;

用真实姓名替换“Foo”和“Bar”。这不是我的想法,所以我不能保证它是最有效的解决方案,但它应该让你走上正确的轨道。

于 2008-12-12T16:32:26.040 回答
4

克雷格,感谢您的正确答案。它工作得很好,它也让我思考。因此,在我消除那些抗重构的“魔术字符串”的过程中,我对您的解决方案开发了一个变体:

public static string GetUrlFor<T>(this HttpContextBase c, Expression<Func<T, object>> action)
    where T : Controller
{
    return RouteTable.Routes.GetVirtualPath(
        new RequestContext(c, RouteTable.Routes.GetRouteData(c)), 
        GetRouteValuesFor(action)).VirtualPath;
}

public static RouteValueDictionary GetRouteValuesFor<T>(Expression<Func<T, object>> action) 
    where T : Controller
{
    var methodCallExpresion = ((MethodCallExpression) action.Body);
    var controllerTypeName = methodCallExpresion.Object.Type.Name;
    var routeValues = new RouteValueDictionary(new
    {
        controller = controllerTypeName.Remove(controllerTypeName.LastIndexOf("Controller")), 
        action = methodCallExpresion.Method.Name
    });
    var methodParameters = methodCallExpresion.Method.GetParameters();
    for (var i = 0; i < methodParameters.Length; i++)
    {
        var value = Expression.Lambda(methodCallExpresion.Arguments[i]).Compile().DynamicInvoke();
        var name = methodParameters[i].Name;
        routeValues.Add(name, value);
    }
    return routeValues;
}

我知道有些人会说……可怕的反思!在我的特定应用程序中,我认为可维护性的好处超过了性能问题。我欢迎任何关于这个想法和代码的反馈。

于 2008-12-13T17:34:25.613 回答