尽量避免动态的东西,比如ViewBag
and ViewData
。使用强类型视图。
ViewModel 只是一个 POCO 类,我们将使用它在您的视图和操作方法之间传输数据。它将特定于视图。
例如:如果您想创建一个创建产品的视图。所以创建一个像这样的视图模型
public class Product
{
public string Name { set;get;}
public IEnumerable<SelectListItem> Categories{ get; set; }
public string SelectedCategoryId { get; set; }
//Other Properties as needed
}
现在在您的GET
操作方法中,您创建此视图模型的对象并初始化值并发送到视图。
public ActionResult Create()
{
var vm=new Product();
vm.Categories=userRepository.Getddl().
Select(c => new SelectListItem
{
Value = c.DropDownID.ToString(),
Text = c.DropDownText
});
return View(vm);
}
现在让您的视图强类型化到我们的Product
类并使用Html.DropDownListFor
辅助方法。
@model PersonsProduct
@using (Html.BeginForm())
{
@Html.DropDownListFor(x => x.SelectedCategoryId,
new SelectList(Model.Categories,"Value","Text"), "Select")
<input type="submit" value="save" />
}
现在在您的 HttpPost 中,您可以获得这样的表单值
[HttpPost]
public ActionResult Create(Product model)
{
if(ModelState.IsValid)
{
//check model.SelectedCategoryId
//save and redirect
}
//to do :reload the dropdown again.
return view(model);
}