在使用.NET MVC3更新对象时,我在理解EntityState.Modified方面遇到了问题。
我有一个模型,可以在上传图像时存储ImageFilePath和ImageContentType。以下是创建操作的样子。
[HttpPost]
public ActionResult Create(SneakPeekCollection collection, HttpPostedFileBase image)
{
try
{
if (image != null)
{
var filepath = Path.Combine(HttpContext.Server.MapPath("../../Uploads"), Path.GetFileName(image.FileName));
image.SaveAs(filepath);
collection.ImageContentType = image.ContentType;
collection.ImageFilePath = "~/Uploads/" + image.FileName;
}
_db.SneakPeekCollections.Add(collection);
_db.SaveChanges();
return RedirectToAction("Index");
}
catch
{
return View();
}
}
尝试编辑并随后更新此对象时出现问题。这是我的编辑操作。
[HttpPost]
public ActionResult Edit(int id, SneakPeekCollection collection, HttpPostedFileBase image)
{
try
{
if (image != null)
{
var filepath = Path.Combine(HttpContext.Server.MapPath("../../../Uploads"), Path.GetFileName(image.FileName));
image.SaveAs(filepath);
collection.ImageContentType = image.ContentType;
collection.ImageFilePath = "~/Uploads/" + image.FileName;
}
_db.Entry(collection).State = EntityState.Modified;
_db.SaveChanges();
return RedirectToAction("Index");
}
catch
{
return View();
}
}
我认为问题来自于我正在设置EntityState.Modified,它将所有属性标记为已修改。如果我没有上传新图像,那么来自前端的ImageFilePath和ImageContentType实际上是null,这是存储的内容。
我的问题是如何解决这个问题?使用EntityState.Modified的正确方法是什么?
答案 0 :(得分:3)
您可以通过在参数中接受SneakPeakCollection而不是使用隐式模型绑定,而是可以从数据库中检索模型,并使用UpdateModel获取新值(如果存在)。像这样:
var collection = _db.SneakPeaks.Find(id); // Get the entity to update from the db
UpdateModel(collection); // Explicitly invoke model binding
if (image != null)
{
var filepath = Path.Combine(HttpContext.Server.MapPath("../../../Uploads"), Path.GetFileName(image.FileName));
image.SaveAs(filepath);
collection.ImageContentType = image.ContentType;
collection.ImageFilePath = "~/Uploads/" + image.FileName;
}
_db.SaveChanges();
答案 1 :(得分:0)
在提交时,您需要检查模型是否有效,然后运行CRUD例程。
if(ModelState.IsValid)
{
// Save my model
}
答案 2 :(得分:0)