2

我正在尝试通过执行以下操作将多个参数传递给我的控制器中的操作:

@Html.ActionLink("Set", "Item", "Index", new { model = Model, product = p }, null)

我的操作方法如下所示:

public ActionResult Item(Pro model, Pro pro)
{
   ...
}

问题是action方法中的modelproductToBuy变量null都是调用方法的时候。怎么会?

4

1 回答 1

3

不能将复杂对象作为路由参数发送。因为它在传递给操作方法时会转换为查询字符串。因此始终需要使用原始数据类型

它应该如下所示(示例)

@Html.ActionLink("Return to Incentives", "provider", new { action = "index", controller = "incentives" , providerKey = Model.Key }, new { @class = "actionButton" })

您的路由表应如下所示。由原始数据类型组成。

 routes.MapRoute(
     "Default", // Route name
     "{controller}/{action}/{id}", // URL with parameters
     new { controller = "Home", action = "Index", id = UrlParameter.Optional } // Parameter defaults
            );

解决方案 1

您可以使用 ActionLink 将模型的 Id 作为参数发送,然后从数据库中获取必要的对象,以便在控制器的操作方法中进行进一步处理。

解决方案 2

您可以使用TempData将对象从一种操作方法发送到另一种操作方法。简单地说,它是在控制器操作之间共享数据。您应该只在当前请求和后续请求期间使用它。

举个例子

模型

public class CreditCardInfo
{
    public string CardNumber { get; set; }
    public int ExpiryMonth { get; set; }
 }

动作方法

[HttpPost]
public ActionResult CreateOwnerCreditCardPayments(CreditCard cc,FormCollection frm)
  {
        var creditCardInfo = new CreditCardInfo();
        creditCardInfo.CardNumber = cc.Number;
        creditCardInfo.ExpiryMonth = cc.ExpMonth;
             
    //persist data for next request
    TempData["CreditCardInfo"] = creditCardInfo;
    return RedirectToAction("CreditCardPayment", new { providerKey = frm["providerKey"]});
  }


 [HttpGet]
 public ActionResult CreditCardPayment(string providerKey)
  {
     if (TempData["CreditCardInfo"] != null)
        {
         var creditCardInfo = TempData["CreditCardInfo"] as CreditCardInfo;
        }
      
      return View();
          
    }
于 2012-12-22T19:04:15.650 回答