我正在使用 ASP.NET MVC 3。

我写了一个助手类如下:

public static string NewsList(this UrlHelper helper)
{
     return helper.Action("List", "News");
}

在我的 Controller 代码中,我像这样使用它:
return RedirectToAction(Url.NewsList());

所以在重定向之后,链接看起来像这样:
../News/News/List

是否有 RedirectToAction 的替代方案?有没有更好的方法来实现我的辅助方法 NewsList?

最佳答案

其实你真的不需要 helper :

return RedirectToAction("List", "News");

或者如果你想避免硬编码:
public static object NewsList(this UrlHelper helper)
{
     return new { action = "List", controller = "News" };
}

然后:
return RedirectToRoute(Url.NewsList());

或者另一种可能性是使用 MVCContrib ,它允许您编写以下内容(我个人喜欢和使用):
return this.RedirectToAction<NewsController>(x => x.List());

或者另一种可能性是使用 T4 templates

因此,由您来选择和玩。

更新:
public static class ControllerExtensions
{
    public static RedirectToRouteResult RedirectToNewsList(this Controller controller)
    {
        return controller.RedirectToAction<NewsController>(x => x.List());
    }
}

然后:
public ActionResult Foo()
{
    return this.RedirectToNewsList();
}

更新 2:
NewsList 扩展方法的单元测试示例:
[TestMethod]
public void NewsList_Should_Construct_Route_Values_For_The_List_Action_On_The_News_Controller()
{
    // act
    var actual = UrlExtensions.NewsList(null);

    // assert
    var routes = new RouteValueDictionary(actual);
    Assert.AreEqual("List", routes["action"]);
    Assert.AreEqual("News", routes["controller"]);
}

关于asp.net - RedirectToAction 替代方案,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/4863713/

10-12 13:18