21

当我尝试重定向到操作时,收到的参数始终为空?我不知道为什么会这样。

ActionResult action1() {
    if(ModelState.IsValid) {
        // Here user object with updated data
        redirectToAction("action2", new{ user = user });
    }
    return view(Model);
}

ActionResult action2(User user) {
    // user object here always null when control comes to action 2
    return view(user);
}

对此,我还有另一个疑问。当我使用路由访问操作时,我只能通过RouteData.Values["Id"]. 路由的值不会发送到参数。

<a href="@Url.RouteUrl("RouteToAction", new { Id = "454" }> </a>

我想念任何配置吗?或任何我想念的东西。

ActionResult tempAction(Id) {
    // Here Id always null or empty..
    // I can get data only by RouteData.Values["Id"]
}
4

1 回答 1

38

您不能在这样的 url 中传递复杂的对象。您必须发送其组成部分:

public ActionResult Action1()
{
     if (ModelState.IsValid)
     {
           // Here user object with updated data
           return RedirectToAction("action2", new { 
               id = user.Id, 
               firstName = user.FirstName, 
               lastName = user.LastName, 
               ...
           });
     }
     return view(Model);
}

另请注意,我添加了return RedirectToAction而不是仅调用RedirectToAction,如您的代码中所示。

但更好的方法是只发送用户的 id:

public ActionResult Action1()
{
     if (ModelState.IsValid)
     {
           // Here user object with updated data
           return RedirectToAction("action2", new { 
               id = user.Id, 
           });
     }
     return view(Model);
}

并在您的目标操作中使用此 ID 从存储该用户的任何位置(可能是数据库或其他东西)检索用户:

public ActionResult Action2(int id)
{
    User user = GetUserFromSomeWhere(id);
    return view(user);
}

一些替代方法(但我不推荐或使用的一种)是将对象持久保存在 TempData 中:

public ActionResult Action1()
{
     if(ModelState.IsValid)
     {
           TempData["user"] = user;
           // Here user object with updated data
           return RedirectToAction("action2");
     }
     return view(Model);
}

在你的目标行动中:

public ActionResult Action2()
{
    User user = (User)TempData["user"];
    return View(user);
}
于 2013-10-18T06:59:54.073 回答