1

问题

我想保存用户编辑模型时已更改的模型属性。这就是我想做的...

  1. 检索已编辑的视图模型
  2. 获取域模型并映射回更新的值
  3. 调用存储库上的更新方法
  4. 获取“旧”域模型并比较字段的值
  5. 将更改的值(以 JSON 格式)存储到表中

但是我在第 4 步时遇到了问题。似乎实体框架不想再次访问数据库来获取具有旧值的模型。它只是返回与我相同的实体。

尝试的解决方案

我曾尝试使用Find()SingleOrDefault()方法,但它们只返回我目前拥有的模型。

示例代码

private string ArchiveChanges(T updatedEntity)
{
    //Here is the problem!
    //oldEntity is the same as updatedEntity
    T oldEntity = DbSet.SingleOrDefault(x => x.ID == updatedEntity.ID);

    Dictionary<string, object> changed = new Dictionary<string, object>();

    foreach (var propertyInfo in typeof(T).GetProperties())
    {
        var property = typeof(T).GetProperty(propertyInfo.Name);

        //Get the old value and the new value from the models
        var newValue = property.GetValue(updatedEntity, null);
        var oldValue = property.GetValue(oldEntity, null);

        //Check to see if the values are equal
        if (!object.Equals(newValue, oldValue))
        {
            //Values have changed ... log it
            changed.Add(propertyInfo.Name, newValue);
        }
    }

    var ser = new System.Web.Script.Serialization.JavaScriptSerializer();
    return ser.Serialize(changed);
}

public override void Update(T entityToUpdate)
{
    //Do something with this
    string json = ArchiveChanges(entityToUpdate);

    entityToUpdate.AuditInfo.Updated = DateTime.Now;
    entityToUpdate.AuditInfo.UpdatedBy = Thread.CurrentPrincipal.Identity.Name;

    base.Update(entityToUpdate);
}
4

1 回答 1

2

问题是实体框架缓存它在 DbSet 中读取的对象。因此,当您第二次请求该对象时,它不会进入数据库,因为它已经加载了它。

但是,好消息是 Entity 会自动跟踪原始值。有关如何获取它们的信息,请参阅此问题:如何在实体框架中获取实体的原始值?

于 2012-07-06T20:41:49.617 回答