在我的代码中我使用entity
加载 id
,然后使用AutoMapper
更新其内容,最后致电Context.SaveChanges
。但它不是正在工作! 。但当我设置属性手动时,它需要效果!怎么了?
var entity = Context.MyEntities.Find(id);
entity = Mapper.Map<MyEntity>(viewModel);
Context.SaveChanges;
但是这个有效:
var entity = Context.MyEntities.Find(id);
entity.SomeProp = viewModel.SomeProp;
Context.SaveChanges;
答案 0 :(得分:7)
然后使用AutoMapper
更新其内容
这不是真的 - Mapper.Map<MyEntity>(viewModel)
返回MyEntity
类的新实例。它不会更新现有实例的属性。您应该将新实例附加到上下文:
var entity = Context.MyEntities.Find(id); // this line is useless
entity = Mapper.Map<MyEntity>(viewModel);
Context.MyEntities.Attach(entity);
Context.SaveChanges;
在创建新实体时,从上下文中检索实体也没有意义。您正在重用相同的变量来保存对不同对象的引用,这是令人困惑的。真正发生的事情可以用这种方式描述:
var entityFromDb = Context.MyEntities.Find(id);
var competelyNewEntity = Mapper.Map<MyEntity>(viewModel);
Context.MyEntities.Attach(competelyNewEntity);
Context.SaveChanges;
在第二个选项中,您正在更新实体的属性,该属性存在于上下文中,您无需附加它。
BTW 还有第三个选项(也是最好的) - 使用另一种映射方法,它会更新目标实体:
var entity = Context.MyEntities.Find(id);
Mapper.Map(viewModel, entity); // use this method for mapping
Context.SaveChanges;