我想改变一个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

其他回答

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

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

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

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

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

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

如果你想用Where子句更新项,使用.Where(…)将截断你的结果:

list = list.Where(n => n.Id == ID).Select(n => { n.Property = ""; return n; }).ToList();

你可以像这样更新列表中的特定项目:

list = list.Select(n => { if (n.Id == ID) { n.Property = ""; } return n; }).ToList();

总是返回项目,即使你不做任何改变。这样它将被保存在列表中。

使用ForEach

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