如何在MVC3中使用editortemplate复杂类型?

时间:2011-06-12 19:22:38

标签: asp.net-mvc-3 editortemplates

我有两个课程,Vat和Product。产品具有IVat属性。我正在尝试使用MVC中的编辑器模板在创建/编辑产品时显示所有Vat对象的下拉列表。对于我亲爱的生活,我无法做到这一点。

我有以下代码显示下拉列表但是在提交表单时没有为产品设置Vat。

控制器:

IList<IVatRate> vatRates = SqlDataRepository.VatRates.Data.GetAllResults();
ViewBag.VatRates = new SelectList(vatRates, "Id", "Description");

Add.cshtml

@Html.EditorFor(model => model.VatRate.Id, "VatSelector", (SelectList)ViewBag.VatRates)

VatSelector.cshtml

@model SelectList
@Html.DropDownList(
        String.Empty /* */,
            (SelectList)ViewBag.Suppliers, 
        Model
    )

如果有人能够对此有所了解甚至指出我在网络上的一个好例子,我将不胜感激......我已经坚持了几天了。

1 个答案:

答案 0 :(得分:7)

我会使用强类型视图和视图模型,因为它使事情变得比ViewBag更容易。

首先从视图模型开始:

public class VatRateViewModel
{
    public string SelectedVatRateId { get; set; }
    public IEnumerable<IVatRate> Rates { get; set; }
}

然后是控制器:

public class HomeController: Controller
{
    public ActionResult Index()
    {
        var model = new VatRateViewModel
        {
            Rates = SqlDataRepository.VatRates.Data.GetAllResults()
        };
        return View(model);
    }

    [HttpPost]
    public ActionResult Index(VatRateViewModel model)
    {
        // model.SelectedVatRateId will contain the selected vat rate id
        ...
    }
}

查看:

@model VatRateViewModel
@using (Html.BeginForm())
{
    @Html.DropDownListFor(
        x => x.SelectedVatRateId,
        new SelectList(Model.Rates, "Id", "Description")
    )
    <input type="submit" value="OK" />
}

如果您想使用VatRateViewModel的编辑器模板,您可以在~/Views/Shared/EditorTemplates/VatRateViewModel.cshtml中定义一个:

@model VatRateViewModel
@Html.DropDownListFor(
    x => x.SelectedVatRateId,
    new SelectList(Model.Rates, "Id", "Description")
)

然后,只要你拥有VatRateViewModel类型的属性,就可以简单地:

@Html.EditorFor(x => x.SomePropertyOfTypeVatRateViewModel)

将呈现相应的编辑器模板。