这是对昨天提出的问题的跟进。
我有一个视图模型,它显示了目标列表。使用 jquery,我可以在屏幕上添加一个新的目标行(对于列出的任何新目标,ID 都设置为 0)。当我单击“保存”按钮将目标列表发布回控制器时,控制器会遍历目标列表,并根据数据库检查 ID。如果未找到 ID,它会创建一个新目标,将其添加到数据库上下文中,并保存更改。然后它检索 ID,并将视图(模型)返回给视图。
问题是,虽然模型中的 ID 已更新为数据库 ID - 当模型再次在视图中呈现时,它的 ID 仍然是 0。所以如果我再次单击保存,它再次,重新添加“新之前添加的目标”再次添加到数据库中。
我的控制器如下图所示:
//
// POST: /Objective/Edit/model
[HttpPost]
public ActionResult Edit(ObjectivesEdit model)
{
if (model.Objectives != null)
{
foreach (var item in model.Objectives)
{
// find the database row
Objective objective = db.objectives.Find(item.ID);
if (objective != null) // if database row is found...
{
objective.objective = item.objective;
objective.score = item.score;
objective.possscore = item.possscore;
objective.comments = item.comments;
db.SaveChanges();
}
else // database row not found, so create a new objective
{
Objective obj = new Objective();
obj.comments=item.comments;
obj.objective = item.objective;
obj.possscore = item.possscore;
obj.score = item.score;
db.objectives.Add(obj);
db.SaveChanges();
// now get the newly created ID
item.ID = obj.ID;
}
}
}
return View(model);
}
我的 ID 正在控制器中设置:
编辑:这里的另一个例子,显示 model.Objectives 1 .ID 正在更新:
但是,当视图呈现它时,它会恢复为 0:
目标列表确定如下:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Web;
namespace MvcObjectives2.Models
{
public class ObjectivesEdit
{
public IEnumerable<Objective> Objectives { set; get; }
public ObjectivesEdit()
{
if (Objectives == null)
Objectives = new List<Objective>();
}
}
}
视图有:
@model MvcObjectives2.Models.ObjectivesEdit
@using (Html.BeginForm())
{
@Html.EditorFor(x=>x.Objectives)
<button type="submit" class="btn btn-primary"><i class="icon-ok icon-white"></i> Save</button>
}
在我的 EditorTemplate (objective.cshtml) 中:
@model MvcObjectives2.Models.Objective
<div class="objec">
<div>
@Html.TextBoxFor(x => x.objective})
</div>
<div>
@Html.TextBoxFor(x => x.score})
</div>
<div>
@Html.TextBoxFor(x => x.possscore})
</div>
<div>
@Html.TextBoxFor(x => x.comments})
@Html.HiddenFor(x => x.ID) // This is the ID where it should now show the new ID from the database, but shows 0
</div>
</div>
我怀疑问题出在我的控制器中 - 但我会很感激任何关于如何让我的视图呈现添加目标的新 ID 的建议。