假设我有一组消息,其中包含“UserID”(int)和“Unread”(bool)属性。
对于UserID = 5的集合中的任何消息,如何使用LINQ扩展方法设置Unread = false?
所以,我知道我可以这样做:
messages.Any(m => m.UserID == 5);
但是,如何使用扩展方法设置每个的Unread属性?
注意:我知道我不应该在生产代码中这样做。我只是想学习更多LINQ-fu。
答案 0 :(得分:6)
实际上,只使用没有ToList
的内置LINQ扩展方法就可以实现这一点
我相信这将与常规for
循环非常相似。 (我还没检查过)
你不是敢在实际代码中执行此操作。
messages.Where(m => m.UserID == 5)
.Aggregate(0, (m, r) => { m.Unread = false; return r + 1; });
作为额外的奖励,这将返回其修改的用户数。
答案 1 :(得分:5)
messages.Where(m => m.UserID == 5).ToList().ForEach(m => m.Unread = false);
然后提交更改。
答案 2 :(得分:4)
标准LINQ扩展方法不包括针对方法的副作用。但是,您可以自己实现它,也可以像Reactive Extensions for .NET (Rx)一样使用它:
messages.Where(m => m.UserID == 5).Run(m => m.Unread = false);
答案 3 :(得分:3)
由于没有明确的扩展方法可以执行ForEach
,因此您无法使用辅助库,也无法自行编写foreach语句。
foreach (Message msg in messages.Where(m => m.UserID == 5))
{
msg.Unread = false;
}
如果您确实想使用Linq语句来完成此操作,请使用ToList()
方法创建集合副本,访问ForEach()
类型的List
方法:
messages.Where(m => m.UserID == 5).ToList().ForEach(m => m.Unread = false);
或将副作用放在Where()
声明中:
messages.Where(m =>
{
if (m.UserID == 5) { m.Unread = false; return true; }
return false;
});
在任何一种情况下,我都喜欢使用显式foreach
循环,因为它不会产生不必要的副本,并且比Where
hack更清晰。
答案 4 :(得分:2)
使用LINQ你不能,因为LINQ是一种查询语言/扩展。然而,有一个名为MoreLinq的项目,它定义了一个名为ForEach的扩展方法,它允许您传递将对每个元素执行的操作。
所以,你可以使用MoreLinq:
messages.Where(m => m.UserID == 5).ForEach(m => m.Unread = false);
最诚挚的问候,
Oliver Hanappi
答案 5 :(得分:0)
这个答案是本着提供解决方案的精神。 On可以创建一个扩展,它同时执行谓词(Where
扩展)来清除项目以及这些项目所需的操作。
下面是一个名为OperateOn
的扩展程序,它很容易编写:
public static void OperateOn<TSource>(this List<TSource> items,
Func<TSource, bool> predicate,
Action<TSource> operation)
{
if ((items != null) && (items.Any()))
{
items.All (itm =>
{
if (predicate(itm))
operation(itm);
return true;
});
}
}
这是实际行动:
var myList = new List<Item>
{ new Item() { UserId = 5, Name = "Alpha" },
new Item() { UserId = 5, Name = "Beta", UnRead = true },
new Item() { UserId = 6, Name = "Gamma", UnRead = false }
};
myList.OperateOn(itm => itm.UserId == 5, itm => itm.UnRead = true);
Console.WriteLine (string.Join(" ",
myList.Select (itm => string.Format("({0} : {1})",
itm.Name,
itm.UnRead ))));
/* Outputs this to the screen
(Alpha : True) (Beta : True) (Gamma : False)
*/
...
public class Item
{
public bool UnRead { get; set; }
public int UserId { get; set; }
public string Name { get; set; }
}
答案 6 :(得分:0)
您应该能够在Select()中执行此操作,记住lambda是函数的快捷方式,因此您可以根据需要放置尽可能多的逻辑,然后返回枚举的当前项。而且......为什么你不能在生产代码中这样做呢?
messages = messages
.Select(m =>
{
if (m.UserId == 5)
m.Unread = true;
return m;
});