将集合中的模型传递给actionlink

时间:2015-02-11 20:56:25

标签: asp.net model actionresult html.actionlink

我觉得这是一个非常基本的问题。我想要实现的是将对象集合显示为链接。当我点击链接时,我想要了解该特定对象的详细信息。

我可以在索引视图上显示项链接的集合,但是当我单击项链接时,我可以显示SingleProductView,但不能在那里显示该特定项的变量。

是否可以通过html.actionlink将特定项目传递给视图?或者,是否可以将该特定项目传递给另一个将显示视图的操作?

模特:

public class ProductModel
{
    public int ProductID { get; set; }
    public string ProductName { get; set; }
    public string ProductDescription { get; set; }
}

家庭控制器:

public class HomeController : Controller
{

    List<ProductModel> inventory = new List<ProductModel>() {
        new ProductModel { ProductName = "White T-Shirt", ProductDescription = "White T-Shirt", ListPrice = 10 },
        new ProductModel { ProductName = "Black T-Shirt", ProductDescription = "Black T-Shirt", ListPrice = 10 },
    };

    public ActionResult Index()
    {
        return View(inventory);
    }

    [HttpGet]
    public ActionResult SingleProductView()
    {
        return View();
    }
}

索引视图:

   @if(Model != null)
       {
            <ul>
            @foreach (ProductModel item in Model)
            {
                <li>
                    @Html.ActionLink(item.ProductName, "SingleProductView")
                </li>
            }
            </ul>
       }

1 个答案:

答案 0 :(得分:1)

当您说return View();时,您并未将其传递给模型。它是空的。因此,检索模型(通常来自数据库,但在您的情况下仅使用实例字段)并将其传递给视图。

[HttpGet]
public ActionResult SingleProductView(int id)
{
    //From the inventory, retrieve the product that has an ID that matches the one from the URL (assuming default routing)
    //We're using Linq extension methods to find the specific product from the list.
    ProductModel product = inventory.Where(p => p.ProductId == id).Single();

    //Send that product to the view.
    return View(product);
}

您的观点应接受ProductModel作为模型类型。

@* Declare the type of model for this view as a ProductModel *@
@model ProductModel

@* Display the product's name in a header. Model will be an instance of ProductModel since we declared it above. *@
<h2>@Model.ProductName</h2>

@* Display the product's description in a paragraph *@
<p>@Model.ProductDescription</p>

您没有将产品从索引视图传递到另一个视图,您在URL中传递了ID,该ID将变为操作方法的参数(假设您已使用默认路由) 。在索引视图中更改您的链接:

@Html.ActionLink(item.ProductName, "SingleProductView", new {Id = item.ProductId})

您的ProductModel表示您拥有ProductId财产,并且没有ListPrice财产。我认为您需要添加public double ListPrice {get; set;},然后在创建广告资源时,分配ID,例如:

List<ProductModel> inventory = new List<ProductModel>() {
    new ProductModel { ProductId = 1, ProductName = "White T-Shirt", ProductDescription = "White T-Shirt", ListPrice = 10 },
    new ProductModel { ProductId = 2, ProductName = "Black T-Shirt", ProductDescription = "Black T-Shirt", ListPrice = 10 },
};

访问ID为1的产品的网址应为(假设默认路由)/Home/SingleProductView/1

顺便说一下,您应该将ProductModel重命名为Product。这使它更清洁。并将ProductName重命名为Name。看看区别:ProductModel.ProductName vs Product.Name。两者都很清楚,但更简洁。