假设我有以下两个具有一对多关系的实体,其中一个Report可以有多个LineItem。这些实体是使用Entity Foundation 6 Code First创建的。
public class Report
{
public int ID { get; set;}
public DateTime ReportDate{ get; set;}
public virtual ICollection<LineItems> LineItems { get; set;}
}
public class LineItems
{
public int ID { get; set;}
public string ItemDescription{ get; set;}
public virtual Report Report { get; set;}
}
我的控制器和视图中有以下内容。
动作:
[HttpPost]
public ActionResult Edit(int? id)
{
private CodeFirstContext context = new CodeFirstContext();
...
Report rep = context.Reports.Include(x => x.LineItems).Single(x => x.ID == id);
if(TryUpdateModel(rep, "", new string[] {"ReportDate"}))
{
foreach(var item in rep.LineItems)
{
if(TryUpdateModel(item, "item", new string[] {"ItemDescription"}))
{
context.LineItems.Attach(item);
context.Entry(item).State = EntityState.Modified;
}
}
context.Entry(rep).State = EntityState.Modified;
context.SaveChanges();
...
}
}
查看:
...
@Html.EditorFor(model => model.ReportDate);
@foreach (var item in Model.LineItems)
{
@html.EditorFor(i => item.ItemDescription);
}
...
我需要能够在同一视图中更新单个报告及其所有相关的LineItem。可能有任意数量的LineItem与单个报告关联。当我使用当前设置提交更新时,所有数据都已成功保存;但大多数子LineItems的数据不正确。第一个子项是正确的,然后所有后续的LineItem都与第一个LineItem中的数据一起保存,而不是来自各自输入的数据。
我查看了页面生成的html源代码,并且所有LineItem输入具有相同的ID,名称等,形式为&#34; item_ItemDescription&#34;或&#34; item.ItemDescription&#34;。我非常确定发生的事情是因为它们都具有相同的标识符,所以数据只是从具有这些标识符的页面上的第一个输入中提取。
那么如何指定哪个输入符合哪个LineItem?对我来说,foreach语句不仅自动为其中的每个输入创建唯一标识符,这似乎很奇怪。
解决
正如py3r3str建议的那样,我不得不改变我的观点以使用for循环而不是foreach并添加HiddenFor来保存每个实体的ID。我不得不改变我的模型使用:
public virtual IList<LineItems> LineItems {get; set;}
因为ICollection没有与之关联的索引。
我不得不将控制器更改为:
[HttpPost]
public ActionResult Edit(Report report) //changed argument from id to Report
{
private CodeFirstContext context = new CodeFirstContext();
...
//following line unnecessary with new report argument
//Report rep = context.Reports.Include(x => x.LineItems).Single(x => x.ID == id);
if(TryUpdateModel(report, "", new string[] {"ReportDate"}))
{
for(int i = 0; i < report.LineItems.Count; i++) //change to for loop
{
if(TryUpdateModel(report.LineItems[i], "", new string[] {"ItemDescription"}))
{
//removed following line. Update does not work with it in there.
//context.LineItems.Attach(report.LineItems[i]);
context.Entry(report.LineItems[i]).State = EntityState.Modified;
}
}
context.Entry(report).State = EntityState.Modified;
context.SaveChanges();
...
}
}
答案 0 :(得分:0)
要使MVC正确映射您的帖子数据,您必须将您的视图代码更改为:
...
@Html.HiddenFor(model => model.ID);
@Html.EditorFor(model => model.ReportDate);
@for (var i; i < Model.LineItems.Count; i++)
{
@html.HiddenFor(e => Model.LineItems[i].ID);
@html.EditorFor(e => Model.LineItems[i].ItemDescription);
}
...
然后您的模型可以由MVC控制器进行编码:
...
[HttpPost]
public ActionResult Edit(Report raport)
{
if (ModelState.IsValid)
{
//do save stuff
}
}
...