正在更新模型并向模型中添加新对象
本文关键字:模型 新对象 添加 对象 更新 | 更新日期: 2023-09-27 18:21:57
我有一个如下实体:
class Project{
public int Id {set;get;}
... some other props
public virtual Image Image {set;get;}
}
在控制器上,我有以下内容:
[HttpPost]
public ActionResult Edit(Project project, HttpPostedFileBase file1)
{
if (ModelState.IsValid)
{
if (file1 != null)
{
var path = FileUploadHelper.UploadFile(file1, Server.MapPath(ProjectImages));
var image = new Image { ImageName = file1.FileName, Path = path, ContentType = file1.ContentType };
var imageEntity = db.Images.Add(image);
db.SaveChanges();
project.MainImage = imageEntity;
}
else
{
ModelState.AddModelError("FileEmpty", "You need to upload a file.");
return View(project);
}
db.Entry(project).State = EntityState.Modified;
db.SaveChanges();
return RedirectToAction("Index");
}
return View(project);
}
这里的问题是,当我阅读这个记录的项目时,我仍然看到旧的图像。即:它不是为给定的项目实体更新图像。
为什么会发生这种情况?
我可以从DB加载项目并为其赋值。但为什么这不起作用?我可以在不从数据库加载对象的情况下让它工作吗?
您的项目对象似乎没有附加到上下文试试这个
if (file1 != null)
{
var path = FileUploadHelper.UploadFile(file1, Server.MapPath(ProjectImages));
var image = new Image { ImageName = file1.FileName, Path = path, ContentType = file1.ContentType };
db.Project.Attach(project);
db.Images.Add(image);
project.MainImage = image;
context.Entry(project).State = EntityState.Modified;
db.SaveChanges();
}
并在POST方法结束时删除此项:
db.Entry(project).State = EntityState.Modified;
db.SaveChanges();
禁用MVC和浏览器中的自动缓存,以便每次都能更新到最新版本。
您可以使用OutputCacheAttribute来控制服务器和/或浏览器缓存中的特定操作或控制器中的所有操作。
禁用控制器中的所有操作:
[OutputCacheAttribute(VaryByParam = "*", Duration = 0, NoStore = true)] // will be applied to all actions in MyController, unless those actions override with their own decoration
public class MyController : Controller
{
// ...
}
禁用特定操作:
public class MyController : Controller
{
[OutputCacheAttribute(VaryByParam = "*", Duration = 0, NoStore = true)] // will disable caching for Index only
public ActionResult Index()
{
return View();
}
}
Darth,我以前处理过这个问题,这是MVC的一个疯狂的怪癖。您正在post方法中更改模型,并将其返回到同一视图。如果不首先清除值,它将不会将新值传递回视图。
ModelState.Remove("MainImage");
ModelState.SetValue("MainImage", imageEntity);
或
ModelState.Clear();
然后完全重建模型。我知道这听起来很疯狂,但是,去了那里,做了那件事,在这种情况下,其他任何事情都不会奏效。