在使用.NET MVC3更新对象时,我在理解EntityState.Modified时遇到问题。

我有一个在上载图像时存储ImageFilePath和ImageContentType的模型。这是create Action 的样子。

    [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的正确方法是什么?

最佳答案

可以通过从数据库中检索模型并使用UpdateModel来获取新值(如果存在),而不是通过在参数中接受SneakPeakCollection来使用隐式模型绑定(bind)。像这样的东西:

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();

10-06 00:37