如何正确更新实体
本文关键字:实体 更新 何正确 | 更新日期: 2023-09-27 18:26:57
你好,我有数据库中更新实体的下一个代码:
public async void UpdateProductFromModel(ProductEditModel model)
{
var res = await GetProduct(model.GoodId);
Mapper.Map<ProductEditModel, Goods>(model, res);
UpdateProduct(res);
}
public void UpdateProduct(Goods product)
{
try
{
using (var dbCtx = new smartbags_storeEntities())
{
dbCtx.Entry(product).State = EntityState.Modified;
dbCtx.SaveChanges();
}
}
catch (Exception ex)
{
throw ex;
}
}
public async Task<Goods> GetProduct(int id)
{
try
{
var dbCtx = new smartbags_storeEntities();
return await dbCtx.Goods.FirstOrDefaultAsync(d => d.GoodID == id);
}
catch (Exception ex)
{
throw ex;
}
}
但我得到错误实体对象不能被IEntityChangeTracker的多个实例引用我应该如何处理更新的对象?我是实体框架中的一名新商人6谢谢
更新@O.O创建和更新实体。这个代码正在工作。正如您所看到的,创建和更新这是不同的上下文。
public bool SaveNewProduct(ProductEditModel model)
{
var prices = model.Prices;
var g = new Goods
{
Article = model.Article,
CategoryID = model.CategoryId,
Code = model.Code,
Description = model.Description,
Name = model.Name,
IsExclusive = model.IsExclusive,
IsNew = model.IsNew,
IsVisible = model.IsVisible,
};
AddNewProductToDb(g);
//update prices
if (prices.Any(d => d.IsActive) && g.Prices1.Any() && prices.Count() > 1)
{
var pr = prices.FirstOrDefault(d => d.IsActive);
g.PriceID = g.Prices1.First().PriceID;
}
UpdateProduct(g);
return true;
}
public int? AddNewProductToDb(Goods product)
{
try
{
using (var dbCtx = new smartbags_storeEntities())
{
//add standard entity into standards entitySet
dbCtx.Goods.Add(product);
//Save whole entity graph to the database
dbCtx.SaveChanges();
return product.GoodID;
}
}
catch (Exception ex)
{
throw;
}
return null;
}
GetProduct和UpdateProduct调用需要使用相同的上下文。当您调用GetProduct时,它得到的对象属于一个上下文,当您调用UpdateProduct时,您创建了一个不同的上下文,并试图将其与仍分配给GetProduct的Product一起使用。
一种选择是在上下文中传递:
var dbCtx = new smartbags_storeEntities()
var res = await GetProduct(model.GoodId, dbCtx);
Mapper.Map<ProductEditModel, Goods>(model, res);
UpdateProduct(res, dbCtx);
对于编辑:
您的g
变量从来没有上下文,所以这就是您没有得到此错误的原因。