在向大家详细介绍LINQ Where子句之前,首先让大家了解下LINQ Where子句其实是用扩展方法来实现的,然后全面介绍LINQ Where子句。
LINQ Where子句其实是用扩展方法来实现的
微软替我们实现的 LINQ Where子句对应的扩展函数实际是如下的定义:
- namespace System.Linq
- {
- public delegate TResult Func(TArg0 arg0, TArg1 arg1);
- public static class Enumerable
- {
- public static IEnumerable Where(this IEnumerable source, Func predicate);
- public static IEnumerable Where(this IEnumerable source, Func predicate);
- }
- }
我们这个扩展函数参数:Func predicate 的定义看上面代码的绿色delegate 代码。
LINQ Where子句参数书写的是Lambda 表达式
- (dd, aa) => dd.Length < aa 就相当于 C# 2.0 的匿名函数。
LINQ中所有关键字比如 Select,SelectMany, Count, All 等等其实都是用扩展方法来实现的。上面的用法同样也适用于这些关键字子句。这个LINQ Where子句中Lambda 表达式第二个参数是数组索引,我们可以在Lambda 表达式内部使用数组索引。来做一些复杂的判断。具有数组索引的LINQ关键字除了Where还以下几个Select,SelectMany, Count, All。
Select子句使用数组索引的例子
下面代码有一个整数数组,我们找出这个数字是否跟他在这个数组的位置一样
- public static void LinqDemo01()
- {
- int[] numbers = { 5, 4, 1, 3, 9, 8, 6, 7, 2, 0 };
- var numsInPlace = numbers.Select((num, index) =>
new { Num = num, InPlace = (num == index) });- Console.WriteLine("Number: In-place?");
- foreach (var n in numsInPlace)
- Console.WriteLine("{0}: {1}", n.Num, n.InPlace);
- }
SelectMany 子句使用数组索引的例子
几个句子组成的数组,我们希望把这几个句子拆分成单词,并显示每个单词在那个句子中。查询语句如下:
- public static void Demo01()
- {
- string[] text = { "Albert was here",
- "Burke slept late",
- "Connor is happy" };
- var tt = text.SelectMany((s, index) => from ss in s.Split(' ')
select new { Word = ss, Index = index });- foreach (var n in tt)
- Console.WriteLine("{0}:{1}", n.Word,n.Index);
- }
【编辑推荐】