我正在使用ASP.NET MVC 3。
我按照以下方式编写了一个帮助类:
public static string NewsList(this UrlHelper helper)
{
return helper.Action("List", "News");
}
在我的控制器代码中,我使用它:
return RedirectToAction(Url.NewsList());
因此,重定向后,链接如下所示:
../News/News/List
是否有RedirectToAction的替代品?有没有更好的方法来实现我的帮助方法NewsList?
答案 0 :(得分:8)
实际上你并不需要帮手:
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"]);
}