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

例子:

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

当前回答

如果你只是想更新所有元素的属性,那么

someList.All(x => { x.SomeProp = "foo"; return true; })

其他回答

我不确定查询语法是什么。下面是扩展的LINQ表达式示例。

var query = someList.Select(x => { x.SomeProp = "foo"; return x; })

它所做的是使用匿名方法vs和表达式。这允许您在一个lambda中使用多个语句。因此,您可以将设置属性和返回对象这两个操作结合到这个稍微简洁的方法中。

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

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

在2020年,我使用MoreLinq管道方法。https://morelinq.github.io/2.3/ref/api/html/M_MoreLinq_MoreEnumerable_Pipe__1.htm

在不创建新对象的情况下,我们经常会遇到这种情况,即在列表中包含索引值和第一个和最后一个指标。这允许您知道项在列表、枚举等中的位置,而不必修改现有的类,然后知道您是在列表中的第一个项还是最后一个项。

foreach (Item item in this.Items
    .Select((x, i) => {
    x.ListIndex = i;
    x.IsFirst = i == 0;
    x.IsLast = i == this.Items.Count-1;
    return x;
}))

你可以简单地扩展任何类,使用:

public abstract class IteratorExtender {
    public int ListIndex { get; set; }
    public bool IsFirst { get; set; } 
    public bool IsLast { get; set; } 
}

public class Item : IteratorExtender {}

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

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);