我想使用LINQ对对象List中的所有对象执行一个函数。我知道我之前看到了类似的东西,但经过几次失败的搜索尝试后,我发布了这个问题
答案 0 :(得分:14)
如果它实际上是List<T>
类型,请尝试以下操作。
C#
var list = GetSomeList();
list.ForEach( x => SomeMethod(x) );
' Alternatively
list.ForEach(SomeMethod);
VB.Net
Dim list = GetSomeList();
list.ForEach( Function(x) SomeMethod(x) );
不幸的是.ForEach仅在List<T>
上定义,因此不能用于任何常规IEnumerable<T>
类型。虽然编写这样的函数很容易
C#
public static void ForEach<T>(this IEnumerable<T> source, Action<T> del) {
foreach ( var cur in source ) {
del(cur);
}
}
VB.Net
<Extension()> _
Public Sub ForEach(Of T)(source As IEnumerable(Of T), ByVal del As Action(Of T)
For Each cur in source
del(cur)
Next
End Sub
通过这个,您可以在任何IEnumerable<T>
上运行.ForEach,这使得它几乎可以从任何LINQ查询中使用。
var query = from it in whatever where it.SomeProperty > 42;
query.ForEach(x => Log(x));
修改强>
注意使用.ForEach for VB.Net。您必须选择一个返回值的函数。这是VB.Net 9(VS 2009)中lambda表达式的限制。但是还有一些工作要做。假设你想调用SomeMethod这是一个Sub。只需创建一个返回空值的包装器
Sub SomeMethod(x As String)
...
End Sub
Function SomeMethodWrapper(x As String)
SomeMethod(x)
Return Nothing
End Function
list.ForEach(Function(x) SomeMethod(x)) ' Won't compile
list.ForEach(function(x) SomeMethodWrapper(x)) ' Works