我目前有一个拥有现有数据和新数据的模型。
作为一个例子,这是我的模型
public class NameDetails
{
public int Id { get; set; }
public string Name { get; set; }
}
这是它目前拥有的模拟数据
List<NameDetails> Names = new List<NameDetails>{
new NameDetails{Id = 1, Name = "Name 1"},
new NameDetails{Id = 2 , Name = "Name 2"},
};
现在假设我需要将它保存到数据库中..我已经在表中有id = 1,所以这应该是一个更新,其中id = 2应该是一个add ...我怎么能这样做?
以前,当我使用存储库编写保存时,我做了添加或编辑 像这样添加,
context.NameDetails.Add(NameDetails);
context.SaveChanges();
或 像这样编辑,
var recordToUpdate = context.NameDetails.FirstOrDefault(x => x.Id== 1);
recordToUpdate.Name = "New name";
context.SaveChanges();
所以这意味着我必须遍历我的列表并找出新的和不是什么......还是有另一种方式?
答案 0 :(得分:2)
您可以使用一些适用于Entity Framework的约定。
例如,如果您在数据库上使用IDENTITY(1,1)
(因此它会自动为您插入的行生成ID),您的实体属性应使用StoreGeneratedPattern
设置为Identity
(模型的情况)第一种方法),Id
值为0
的{{1}}属性意味着尚未添加到数据库中。
然后您可以轻松决定要添加的内容以及要更新的内容。这是一些伪(未经测试)的代码:
foreach (var entity in entities)
{
if (entity.Id == 0)
{
// Adds to the context for a DB insert
context.Entities.Add(entity);
}
else
{
// Updates existing entity (property by property in this example, you could update
// all properties in a single shot if you want)
var dbEntity = context.Entities.Single(z => z.Id == entity.Id);
dbEntity.Prop1 = entity.Prop1;
// etc...
}
}
context.SaveChanges();
答案 1 :(得分:1)
仅限EF5 +:
如果你有办法检测一个项目是否是新的(Id == 0是好的,就像在ken2k的答案中那样),你可以这样做,以避免需要映射的东西:
foreach(var entity in entities)
{
context.NameDetails.Attach(entity);
context.Entry(entity).State = IsNewEntity(entity)
? EntityState.Added
: EntityState.Modified;
}
这将告诉EntityFramework为新实体创建INSERT,为旧实体创建UPDATE。
答案 2 :(得分:0)
试试这个:
var nameIds = Names.Select(n => n.Id);
var recordsToUpdate = context.NameDetails.Where(x => nameIds.Contains(x.Id));
答案 3 :(得分:0)
实体框架在这种情况下表现不佳。这应该让你接近你想要的东西:
public class NameDetails
{
public int Id {get;set;}
public string Name {get;set;}
}
List<NameDetails> Names = new List<NameDetails>
{
new NameDetails{Id = 1, Name = "Name 1"},
new NameDetails{Id = 2 , Name = "Name 2"},
};
var toFetch = Names.Select(n => n.Id).ToArray();
var association = context.NameDetails
.Where(n => toFetch.Contains(n.Id))
.ToDictionary(n => n.Id);
foreach(var name in Names)
{
NameDetails existing;
if(association.TryGetValue(name.Id, out existing))
{
// It exists, map the properties in name to existing
}
else
{
// It's new, perform some logic and add it to the context
context.NameDetails.Add(name);
}
}
context.SaveChanges()
或者,您可以尝试劫持执行upsert的实体框架迁移AddOrUpdate
:
// You need a namespace import of System.Data.Entity.Migrations
context.NameDetails.AddOrUpdate(names.ToArray());
context.SaveChanges();
我没有试过这个,但它应该有用,除非AddOrUpdate
中有一个额外的逻辑让我望而却步。