您可以使用EditorTemplates来做到这一点。
让我们为我们的场景创建 3 个视图模型。
public class Course
{
public int ID { set; get; }
public string Name{ set; get; }
public List<Option> Options{ set; get; }
public int SelectedAnswer { set; get; }
public Course()
{
Options= new List<Option>();
}
}
public class Option
{
public int ID { set; get; }
public string Title { set; get; }
}
public class OrderViewModel
{
public List<Course> Courses{ set; get; }
public OrderViewModel()
{
Courses= new List<Course>();
}
}
在GET
视图的操作方法中,我们将创建 OrderViewModel 类的对象并设置 Course 集合及其 Options 属性,然后通过将其传递给 View 方法将其发送到视图。
public ActionResult Index()
{
var vm= new OrderViewModel();
//the below is hard coded for DEMO. you may get the data from some
//other place and set the course and options
var q1 = new Course { ID = 1, Name= "Starters" };
q1.Options.Add(new Option{ ID = 12, Title = "Prawn Cocktail " });
q1.Options.Add(new Option{ ID = 13, Title = "Soup" });
vm.Courses.Add(q1);
var q2 = new Course { ID = 1, Name= "Mains" };
q2.Options.Add(new Option{ ID = 42, Title = "Beef" });
q2.Options.Add(new Option{ ID = 43, Title = "Lamp" });
vm.Courses.Add(q2);
return View(vm);
}
现在转到~/Views/YourControllerName
文件夹并创建一个名为EditorTemplates
. 在那里创建一个名为 的新视图Course.cshtml
。将以下代码添加到该文件
@model Course
<div>
@Html.HiddenFor(x=>x.ID)
<h3> @Model.Name</h3>
@foreach (var a in Model.Options)
{
<p>
@Html.RadioButtonFor(b=>b.SelectedAnswer,a.ID) @a.Title
</p>
}
</div>
现在转到主视图并使用EditorFor
html helper 方法带上编辑器模板
@model OrderViewModel
<h2>Your Order</h2>
@using (Html.BeginForm())
{
@Html.EditorFor(x=>x.Courses)
<input type="submit" />
}
要在表单提交中获取所选项目,您可以执行此操作
[HttpPost]
public ActionResult Index(OrderViewModel model)
{
if (ModelState.IsValid)
{
foreach (var q in model.Courses)
{
var qId = q.ID;
var selectedAnswer = q.SelectedAnswer;
// Save the data
}
return RedirectToAction("ThankYou"); //PRG Pattern
}
//to do : reload courses and options on model.
return View(model);
}
这在这篇博客文章中已经清楚地解释了一个工作示例,您可以自己下载并运行它,看看它是如何工作的。