LINQ学习笔记:子查询和延迟执行
子查询 子查询是一个包含了另外一个查询的Lambda表达式的查询. 以下的例子使用了一个子查询来针对篮球明星的last name排序: 1: string[] players = { "Tim Ducan", "Lebrom James", "Kobe Byrant" }; 2: IEnumerable<string> q = players.OrderBy (m => m.Split().Last()); 在这其中, Last是一个子查询, q则代表了一个外部查询. 在子查询中, 你可以在Lambda表达式的右边使用任何可行的C#表达语法. 子查询只是一个简单的C#表达式, 这意味着所有适用于子查询的规则都可以推导到Lambda表达式上. 以下的查询取得一个字符数组中所有满足长度等于最小长度的字符序列: 1: string[] names = { "James","Jack","Landy","C.Y","Jay" }; 2: IEnumerable<string> q = names 3: .Where (n => n.Length ==
4: names.OrderBy (n2 => n2.Length)
5: .Select (n2 => n2.Length).First( )
6: );
7: foreach(var s in q) 8: {
9: Console.WriteLine(s); //C.Y , Jay 10: }
对于子查询, 可以引用到外部的Lambda参数或者是迭代变量(在复合查询中). 例如上述的例子中, 如果OrderBy使用的表达式改为(n => n.Length)而不是用n2的话将会得到一个错误信息: A local variable named ‘n’ cannot be declared in this scope because it would give a different meaning to ‘n’, which is already used in a ‘parent or current’ scope to denote something else. 针对这个例子, 我们可以看到对应的复合查询写法: 1: IEnumerable<string> q = 2: from n in names 3: where n.Length == 4: (from n2 in names 5: orderby n2.Length
6: select n2.Length).First( )
7: select n;
外部迭代变量n在子查询范围内是可见的, 因此我们不能将它重用为子查询内部的迭代变量. 子查询会在对应的Lambda表达式被执行的时候来执行, 其执行取决于外部查询, 也可以说是由外到里来处理的. 本地查询完全遵循这个模型, 但是解释型查询(例如LINQ to SQL)则仅仅是概念上遵循而已. 之前的查询我们还可以使用一种更加简洁的写法: 1: IEnumerable<string> q = 2: from n in names 3: where n.Length == 4: names.OrderBy (n2 => n2.Length).First().Length
5: select n;
|
凌众科技专业提供服务器租用、服务器托管、企业邮局、虚拟主机等服务,公司网站:http://www.lingzhong.cn 为了给广大客户了解更多的技术信息,本技术文章收集来源于网络,凌众科技尊重文章作者的版权,如果有涉及你的版权有必要删除你的文章,请和我们联系。以上信息与文章正文是不可分割的一部分,如果您要转载本文章,请保留以上信息,谢谢! |