我想改变一个LINQ查询结果对象的一些属性,而不需要创建一个新的对象和手动设置每个属性。这可能吗?

例子:

var list = from something in someList
           select x // but change one property

当前回答

这是最简单的解决方案: 列表。其中(t => t. id == 1). tolist()。ForEach(t => t. property = "something");

尝试和工作,引用于此: https://visualstudiomagazine.com/articles/2019/07/01/updating-linq.aspx

其他回答

不应该有任何LINQ魔法阻止你这样做。不要使用投影,那会返回一个匿名类型。

User u = UserCollection.FirstOrDefault(u => u.Id == 1);
u.FirstName = "Bob"

这将修改真实对象,以及:

foreach (User u in UserCollection.Where(u => u.Id > 10)
{
    u.Property = SomeValue;
}

我更喜欢这个。它可以与其他linq命令组合使用。

from item in list
let xyz = item.PropertyToChange = calcValue()
select item

使用ForEach

var list = from something in someList;
list.ForEach(x => x.Property = value);
var item = (from something in someList
       select x).firstordefault();

会得到item,然后item。prop1=5;更改特定的属性。

或者您想从db中获得一个项目列表,并让它将返回列表中每个项目的属性prop1更改为指定的值? 如果是这样的话,你可以这样做(我在VB中这样做,因为我更了解它):

dim list = from something in someList select x
for each item in list
    item.prop1=5
next

(列表将包含您的更改返回的所有项)

这对于标准查询操作符是不可能的——它是语言集成查询,而不是语言集成更新。但是您可以将更新隐藏在扩展方法中。

public static class UpdateExtension
{
    public static IEnumerable<Car> ChangeColorTo(
       this IEnumerable<Car> cars, Color color)
    {
       foreach (Car car in cars)
       {
          car.Color = color;
          yield return car;
       }
    }
}

现在您可以像下面这样使用它。

cars.Where(car => car.Color == Color.Blue).ChangeColorTo(Color.Red);