对MVC中的实体所做的更改没有提交给数据库
本文关键字:提交 数据库 MVC 实体 | 更新日期: 2023-09-27 18:12:33
我正在使用存储库模式和实体框架与我的数据库和核心的东西进行通信。
当我尝试更改用户实体(更改电子邮件地址,用户名等)时,它不会在数据库中提交此更改。我意识到我已经错过了一些东西的更新方法在我的存储库基础,我遇到的麻烦是找到我错过了什么。你知道我错过了什么吗?非常新的存储库模式。
我一直在遵循教程- https://workspaces.codeproject.com/user-10620241/architecture-guide-asp-net-mvc-framework-n-tier-en
MVC控制器public ActionResult Details(int id = 0)
{
UserModel user = _userService.GetSingle(u => u.Id == id);
if (user == null)
{
return HttpNotFound();
}
return View(user);
}
[HttpPost]
public ActionResult Details(UserModel model)
{
if (ModelState.IsValid)
{
_userService.Update(model);
return RedirectToAction("Index");
}
return View(model);
}
RepositoryBase.cs
public abstract class RepositoryBase<T> : IRepository<T>
where T: class
{
public RepositoryBase()
: this(new ObRepositoryContext())
{
}
public RepositoryBase(IRepositoryContext repositoryContext)
{
repositoryContext = repositoryContext ?? new ObRepositoryContext();
_objectSet = repositoryContext.GetObjectSet<T>();
}
private IObjectSet<T> _objectSet;
public IObjectSet<T> ObjectSet
{
get
{
return _objectSet;
}
}
#region IRepository Members
public void Add(T entity)
{
if (entity == null)
throw new ArgumentNullException("entity");
this.ObjectSet.AddObject(entity);
}
public void Update(T entity)
{
if (entity == null)
throw new ArgumentNullException("entity");
this._objectSet.Attach(entity);
//TODO: Commit update to database here
}
public void Delete(T entity)
{
if (entity == null)
throw new ArgumentNullException("entity");
this.ObjectSet.DeleteObject(entity);
}
public IList<T> GetAll()
{
return this.ObjectSet.ToList<T>();
}
public IList<T> GetAll(Expression<Func<T, bool>> whereCondition)
{
return this.ObjectSet.Where(whereCondition).ToList<T>();
}
public T GetSingle(Expression<Func<T, bool>> whereCondition)
{
return this.ObjectSet.Where(whereCondition).FirstOrDefault<T>();
}
public void Attach(T entity)
{
this.ObjectSet.Attach(entity);
}
public IQueryable<T> GetQueryable()
{
return this.ObjectSet.AsQueryable<T>();
}
public long Count()
{
return this.ObjectSet.LongCount<T>();
}
public long Count(Expression<Func<T, bool>> whereCondition)
{
return this.ObjectSet.Where(whereCondition).LongCount<T>();
}
#endregion
}
好吧,你好像给自己留了一个TODO:)
//TODO: Commit update to database here
你需要将对象标记为Modified——这里有一个例子:
this.ObjectSet.Context.ObjectStateManager.ChangeObjectState(
entity, EntityState.Modified);
你也想在你的上下文的某个点调用SaveChanges
-似乎你的模式鼓励多次更改和最后一次提交:
repositoryContext.SaveChanges();
编辑
编译错误是因为你正在使用的repo已经将ObjectSet
抽象到它的接口IObjectSet
。你需要再次向下转换:
_objectSet // Or I guess (this.ObjectSet as ObjectSet<T>)
.Context.ObjectStateManager.ChangeObjectState(entity, EntityState.Modified);
请注意,您所遵循的模式是在2010年使用EF 4.0完成的。从那时起,实体框架发生了很多变化,最值得注意的是DBContext
,它缩小了与存储库模式的差距。