Entity Framework partial load

2019-01-23 21:32发布

I have the following columns in my table

  • Id (int)
  • Name (nvarchar) usually < 100 characters
  • Data (nvarchar) average 1MB

I'm writing a program that will go through each row and perform some operations to the Name field. Since I'm only using the Name field and the Data field is very large, is it possible to direct EF to only load the Id and Name field?

1条回答
可以哭但决不认输i
2楼-- · 2019-01-23 22:09

Sure is

ctx.YourDbSet.Select(p=> new { Id = p.Id, Name = p.Name});

this method is selecting into an anonymous class.

if you want to save this back again you can do this with something which I call a dummy entity:

foreach(var thing in ctx.YourDbSet.Select(p=> new { Id = p.Id, Name = p.Name}))
{
    var dummy = new YourEntity{Id = thing.Id};
    ctx.YourDbSet.Attach(dummy);
    dummy.Name = thing.Name + "_";
}
ctx.SaveChanges();

This method works with snapshot tracking as EF only tracks changes made after the attach call to send back in the update statement. This means your query will only contain an update for the name property on that entity (ie it wont touch data)

NOTE: you want to make sure you do this on a context you tightly control as you cant attach an object which is already attached to the EF tracking graph. In the above case the select will not attach entities to the graph as its anonymous (so you are safe using the same context)

查看更多
登录 后发表回答