我在.NET 4.5下使用Entity Framework 5有一个ASP.NET MVC 4应用程序。我遇到的问题是,当我插入在前端创建的分离实体时,延迟加载不起作用。
以下是我要添加(或更新)的代码:
public static int PersistMergeEntity(EntityTwo entityTwo)
{
int entityId;
using (var _db = new EntityDb())
{
if (_db.EntityTwo.Any(e => e.EntityTwoId == entityTwo.EntityTwoId))
{
_db.Entry(entityTwo).State = EntityState.Modified;
}
else
{
_db.EntityTwo.Add(entityTwo);
}
_db.SaveChanges();
//_db.Entry(entityTwo).Reference(e => e.EntityOne).Load();
entityId = entityTwo.EntityOne.EntityId;
}
EntityBo.UpdateData(entityId);
return entityTwo.EntityTwoId;
}
以下是我的实体:
public class EntityTwo
{
[Key]
[ForeignKey("EntityOne")]
public int EntityTwoId { get; set; }
public Decimal NbValue { get; set; }
public virtual EntityOne EntityOne { get; set; }
}
public class EntityOne
{
[Key]
[ForeignKey("EntityTwo")]
public int EntityOneId { get; set; }
[ForeignKey("Entity")]
public int EntityId { get; set; }
public CsMonthDomain CsMonth { get; set; }
public int NbYear { get; set; }
public Decimal NbValue { get; set; }
public virtual Entity Entity { get; set; }
public virtual EntityTwo EntityTwo { get; set; }
}
Entity
是我每次更新或添加EntityTwo
时需要进行计算的另一个实体。
取消注释注释行时代码有效。但如果它出现在那里的方式,延迟加载将无法正常工作,我将获得null
例外。
延迟加载设置为true
,并且实体是正确的,因为它在我显式加载导航属性时有效。
我很抱歉这些名字,但不幸的是我无法发布真实的代码;(
答案 0 :(得分:3)
延迟加载不起作用,因为传递给方法的entityTwo
(很可能)不是动态代理,它必须是为了使延迟加载工作。该实例可能使用entityTwo = new EntityTwo();
在方法外部创建。要创建实体的代理,您需要一个可用的上下文实例,然后使用
entityTwo = _db.EntityTwos.Create();
在我看来,使用显式加载(您的注释行)是这种情况下的最佳解决方案。它具有与每个导航属性一样查询数据库的成本,例如延迟加载,以及延迟加载的额外好处,您可以从相关实体投影您只需要的一些属性,例如:
entityId = _db.Entry(entityTwo).Reference(eTwo => eTwo.EntityOne).Query()
.Select(eOne => eOne.EntityId)
.Single();