[增订]
我正在使用EF code first
,在我的情况下,我必须将POCO
与DbContext
断开连接,当我想将更改保存到DB
时,请附加已断开POCO
s(通过附加根对象)到DbContex
t,但在我想要保存的对象图中,可能是具有相同密钥的实体的多个实例。
例如:
Order1
|
OrderLine1-->Product1 //instance1 of product1
|
OrderLine2-->Product1 //instance2 of product1
所以我得到以下错误:
ObjectStateManager中已存在具有相同键的对象。 ObjectStateManager无法跟踪具有相同对象的多个对象 键。
所以我想编写一个方法,用ApplyChange()
方法中的一个实例查找和替换对象的重复实例:
public void ApplyChanges<TEntity>(TEntity root) where TEntity : BaseEntity
{
_dbContext.Set<TEntity>().Add(root);
foreach (var entry in _dbContext.ChangeTracker
.Entries<BaseEntity>())
{
if (FoundAnEntityWithSameKeyInDbContext<TEntity>(entry))
UniqeSimilarEntities(entry);
else
{
....
}
}
}
我写了这段代码:
private bool FoundAnEntityWithSameKeyInDbContext<TEntity>(DbEntityEntry<BaseEntity> entry) where TEntity : BaseEntity
{
var tmp = _dbContext.ChangeTracker.Entries<BaseEntity>().Count(t => t.Entity.Id == entry.Entity.Id && t.Entity.Id != 0 && t.Entity.GetType() == entry.Entity.GetType());
if (tmp > 1)
return true;
return false;
}
private void UniqeSimilarEntities(DbEntityEntry<BaseEntity> entry)
{
var similarEntities = _dbContext.ChangeTracker.Entries<BaseEntity>()
.Where(
t =>
t.Entity.Id == entry.Entity.Id && t.Entity.Id != 0 &&
t.Entity.GetType() == entry.Entity.GetType()).ToList();
for (int i = 1; i < similarEntities.Count; i++)
{
_dbContext.Entry(similarEntities[i]).CurrentValues.SetValues(similarEntities[0]);
similarEntities[i].State= EntityState.Unchanged;
}
}
我的所有实体都从BaseEntity
类继承:
public class BaseEntity
{
public int Id {get; set;}
public States State { get; set; }
public bool MustDelete {get; set;}
...
}
但是当控件到达UniqeSimilarEntities
方法行_dbContext.Entry(similarEntities[i]).CurrentValues.SetValues...
时,我收到此错误:
实体类型DbEntityEntry`1不是当前上下文模型的一部分。
有没有办法用我的根对象中的一个实例替换重复的实体?
答案 0 :(得分:0)
Imho你应该在附件之前发现重复。在伪代码中:
List<Product> lp = new List<Product>();
foreach (var line in Order.Lines) {
Product p = lp.Where(x => x.Id == line.Product.Id).FirstOrDefault();
if ( p == null ) {
lp.Add(p);
} else {
line.Product = p;
}
}