Linq常用List操作总结,ForEach、分页、交并集、去重、SelectMany等

  1 /*
  2 以下围绕Person类实现,Person类只有Name和Age两个属性
  3 一.List<T>排序
  4 1.1 List<T>提供了很多排序方法,sort(),Orderby(),OrderByDescending().
  5 */
  6  
  7 lstPerson = lstPerson.OrderByDescending(x=>x.Name).ToList(); //降序
  8 lstPerson = lstPerson.OrderBy(x => x.Age).ToList();//升序
  9  
 10 //通过Name和Age升序
 11 lstPerson.Sort((x, y) =>
 12             {
 13                 if ((x.Name.CompareTo(y.Name) > 0) || ((x.Name == y.Name) && x.Age > y.Age))
 14                 {
 15                     return 1;
 16                 }
 17                 else if ((x.Name == y.Name) && (x.Age == y.Age))
 18                 {
 19                     return 0;
 20                 }
 21                 else
 22                 {
 23                     return -1;
 24                 }
 25             });
 26  
 27 /*
 28 1.2 因为最近有做datagrid里面像实现点击任何一列的名称就按照该名称排序,那我们该怎么做呢?可能第一反应是想,为每一个属性写一个排序方法不就得了,其实这样的话无意间增加的代码量了,而且不通用,其实这里可以结合反射来实现.
 29 */
 30  
 31 string propertityName = "Name";
 32 lstPerson = lstPerson.OrderBy(x =>
 33             {
 34                 PropertyInfo[] proInfos = x.GetType().GetProperties();
 35                 return proInfos.Where(info => info.Name == propertityName).ToList()[0].GetValue(x);
 36             }).ToList();
 37  
 38 /*
 39 二.List<T>分页
 40 2.1往往有时候我们会从后台获取很多数据,存放在List<T>,可是因为界面受限制无法完全展示,我们就会想到分页显示,对于分页显示我们基本上第一种想法肯定是通过循环设置每一页的Size,
 41 其实linq有skip和take方法,skip表示跳过多少元素,take获取特定个数元素. 看起来代码简洁多了.
 42 */
 43  
 44 public static List<Person> GetPageByLinq(List<Person> lstPerson, int pageIndex, int PageSize)
 45 {
 46     return lstPerson.Skip((pageIndex - 1) * PageSize).Take(PageSize).ToList();
 47 }
 48  
 49 /*
 50 三,List<T>之foreach用法.
 51 2.1 如何我相对List里面的每个对象执行相同操作的话,以前都是通过for循环遍历,其实Linq提供了便捷的Foreach来实现。下面我将对所有的Person年龄+2.
 52 */
 53  
 54 lstPerson.ForEach(x => x.Age= x.Age + 2);
 55  
 56 /*两个集合之间操作*/
 57 List<string> ListResult = new List<string>();
 58 ListResult = ListA.Distinct().ToList();//去重
 59 ListResult = ListA.Except(ListB).ToList();//差集
 60 ListResult = ListA.Union(ListB).ToList();  //并集
 61 ListResult = ListA.Intersect(ListB).ToList();//交集
 62  
 63 //这里有7个老师,每个人有3个学生,总共21一个学生里,我们想要获得这3个未及格的学生集合。
 64 public class Student
 65 {
 66     public string StudentName { get; set; }
 67     public int Score { get; set; }
 68  
 69     public Student(string StudentName,int Score)
 70     {
 71         this.StudentName = StudentName;
 72         this.Score = Score;
 73     }
 74 }
 75 public class Teacher
 76 {
 77     public string TeacherName { get; set; }
 78     public List<Student> Students { get; set; }
 79     public Teacher(string TeacherName, List<Student> Students)
 80     {
 81         this.TeacherName = TeacherName;
 82         this.Students = Students;
 83     }
 84 }
 85  
 86 using System;
 87 using System.Collections.Generic;
 88 using System.Linq;
 89 using System.Text;
 90  
 91 namespace TestLinq
 92 {
 93     class Program
 94     {
 95         static void Main(string[] args)
 96         {
 97             //运行结果见下图
 98             List<Teacher> teachers = new List<Teacher>
 99             {
100                 new Teacher("张老师",new List<Student>{ new Student("张三1", 100),new Student("李四1", 90),new Student("王五1", 30) }), //
101                 new Teacher("李老师",new List<Student>{ new Student("张三2", 100),new Student("李四2", 90),new Student("王五2", 60) }),
102                 new Teacher("赵老师",new List<Student>{ new Student("张三3", 100),new Student("李四3", 90),new Student("王五3", 40) }), //
103                 new Teacher("孙老师",new List<Student>{ new Student("张三4", 100),new Student("李四4", 90),new Student("王五4", 60) }),
104                 new Teacher("钱老师",new List<Student>{ new Student("张三5", 100),new Student("李四5", 90),new Student("王五5", 50) }), //
105                 new Teacher("周老师",new List<Student>{ new Student("张三6", 100),new Student("李四6", 90),new Student("王五6", 60) }),
106                 new Teacher("吴老师",new List<Student>{ new Student("张三7", 100),new Student("李四7", 90),new Student("王五7", 60) })
107             };
108  
109             #region 所有任课老师下未及格的学生 方式一
110             List<Student> studentList = new List<Student>();
111             foreach (var t in teachers)
112             {
113                 foreach (var s in t.Students)
114                 {
115                     if (s.Score < 60)
116                     {
117                         studentList.Add(s);
118                     }
119                 }
120             }
121             studentList.ForEach(s => Console.WriteLine(string.Format("{0} - {1}", s.StudentName, s.Score)));
122             #endregion
123  
124             Console.ReadKey();
125  
126             #region 所有任课老师下未及格的学生 方式二
127             var list1 = from t in teachers
128                         from s in t.Students
129                         where s.Score < 60
130                         select s;
131             foreach (var item in list1)
132             {
133                 Console.WriteLine(string.Format("{0} - {1}", item.StudentName, item.Score));
134             }
135             #endregion
136  
137             Console.ReadKey();
138  
139             #region 所有任课老师下未及格的学生 方式三
140             var list2 = teachers.SelectMany(t => t.Students).Where(s => s.Score < 60);
141  
142             foreach (var s in list2)
143             {
144                 Console.WriteLine(string.Format("{0} - {1}", s.StudentName, s.Score));
145             }
146             #endregion
147  
148             Console.ReadKey();
149  
150             #region 所有未及格的学生及其授课老师 
151             var list3 = teachers.SelectMany(
152                 t => t.Students,
153                 (t, s) => new { t.TeacherName, s.StudentName, s.Score })
154                 .Where(n => n.Score < 60);
155  
156             foreach (var item in list3)
157             {
158                 Console.WriteLine(string.Format("任课老师{0} - 学生{1} 分数{2}", item.TeacherName, item.StudentName, item.Score));
159             }
160             #endregion
161             Console.ReadKey();
162         }
163     }
164 }

 

转载于:https://www.cnblogs.com/jasonlai2016/p/9957863.html

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/396057.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

bool查询原理 es_ES系列之原理copy_to用好了这么香

写在前面Elasticsearch(以下简称ES)有个copy_to的功能&#xff0c;之前在一个项目中用到&#xff0c;感觉像是发现了一个神器。这个东西并不是像有些人说的是个语法糖。它用好了不但能提高检索的效率&#xff0c;还可以简化查询语句。基本用法介绍直接上示例。先看看mapping&am…

加密算法—MD5、RSA、DES

最近因为要做一个加密的功能&#xff0c;简单了解了一下加密算法&#xff0c;现在比较常用的有三个加密算法MD5加密算法、RSA加密算法、DES加密算法。 MD5加密算法 定义&#xff1a;MD5算法是将任意长度的“字节串”变换成一个128bit的大整数&#xff0c;并且它是一个不可逆的字…

随机加密_随机艺术和加密圣诞树

随机加密When I first learned how to code, one of my first tasks was setting up an SSH key so I could use encryption to securely connect to my friend’s Linux server.当我第一次学习如何编码时&#xff0c;我的第一个任务是设置SSH密钥&#xff0c;以便可以使用加密…

用c语言编写一个2048 游戏,求c语言编写的2048游戏代码,尽量功能完善一些

正在编写中&#xff0c;请稍后&#xff01;追答 : 代码来了&#xff01;有点急&#xff0c;没做界面。追答 : 2048_launcher。c&#xff1a;#include#include#includevoid main(){printf("正在启动中&#xff0c;请稍后&#xff01;");Sleep(1000);system("bin\…

MySQL之数据库对象查看工具mysqlshow

mysqlshow&#xff1a;数据库对象查看工具&#xff0c;用来快速查找存在哪些数据库、数据库中的表、表中的列或索引。选项&#xff1a;--count 显示数据库和表的统计信息-k 显示指定的表中的索引-i 显示表的状态信息不带任何参数显示所有数据库[rootwww mys…

软件工程分组

电子零售系统 陈仔祥 孟拓 陈庚 汪力 郭澳林 崔祥岑 刘校 肖宇 武清 胡圣阳转载于:https://www.cnblogs.com/2231c/p/9960751.html

vnr光学识别怎么打开_干货|指纹锁的指纹识别模块的前世今生,智能锁的指纹识别到底有多智能?...

智能锁现在也有很多叫法&#xff1a;指纹锁、电子锁。可见指纹识别是智能锁的核心功能了&#xff0c;那我们今天来聊聊智能锁的指纹识别模块。指纹识别的历史指纹识别认证的流程指纹识别技术的种类指纹识别的历史早在2000多年前我国古代的人就将指纹用于签订合同和破案了&#…

使用Kakapo.js进行动态模拟

by zzarcon由zzarcon 使用Kakapo.js进行动态模拟 (Dynamic mocking with Kakapo.js) 3 months after the first commit, Kakapo.js reaches the first release and we are proud to announce that now it is ready to use. Let us introduce you Kakapo.首次提交3个月后&#…

android ble 实现自动连接,Android:自动重新连接BLE设备

经过多次试验和磨难之后,这就是我最好让Android自动连接的唯一用户操作是首先选择设备(如果使用设置菜单然后首先配对).您必须将配对事件捕获到BroadcastReceiver中并执行BluetoothDevice.connectGatt()将autoconnect设置为true.然后当设备断开连接时,调用gatt.connect().更新&…

莱斯 (less)

less中的变量 1、声明变量&#xff1a;变量名&#xff1a;变量值 使用变量名&#xff1a;变量名 less中的变量类型 ①数字类1 10px ②字符串&#xff1a;无引号字符串red和有引号字符串"haha" ③颜色类red#000000 rgb() …

hackintosh黑苹果_如何构建用于编码的Hackintosh

hackintosh黑苹果by Simon Waters西蒙沃特斯(Simon Waters) 如何构建用于编码的Hackintosh (How to build a Hackintosh for coding) Let’s talk about Hackintosh-ing — the installation of Mac OS X on PC hardware.我们来谈谈Hackintosh-ing-在PC硬件上安装Mac OSX。 I…

hide show vue 动画_(Vue动效)7.Vue中动画封装

关键词&#xff1a;动画封装——进行可复用一、如何封装&#xff1f;1、使用&#xff1a;局部组件传递数据局部组件中使用JS动画2、原理&#xff1a;将动画效果完全第封装在一个名为<fade>的组件中&#xff0c;今后如要复用&#xff0c;只需要复制有其组件名的部分&#…

android项目编译命令行,命令行编译Android项目

1. 生成R文件> aapt package -f -m -J ./gen -S res -M AndroidManifest.xml -I D:\android.jar-f 如果编译生成的文件已经存在&#xff0c;强制覆盖。-m 使生成的包的目录存放在-J参数指定的目录-J 指定生成的R.java 的输出目录路径-S 指定res文件夹的路径-I 指定某个版本平…

jQuery datepicker和jQuery validator 共用时bug

当我们给一个元素绑定一个datepick后又要对它用validator进行验证时会发现验证并没有成功 因为当点击该元素时候input弹出datepick的UI就已经失去了焦点它验证的仍然是前一个值&#xff0c; 不过还好 datepick提供了onSelect 事件我们可以在这个事件触发的时候重新把焦点在赋给…

《Python地理数据处理》——导读

前言本书可以帮助你学习使用地理空间数据的基础知识&#xff0c;主要是使用GDAL / OGR。当然&#xff0c;还有其他选择&#xff0c;但其中一些都是建立在GDAL的基础之上&#xff0c;所以如果你理解了本书中的内容&#xff0c;就可以很轻松地学习其他知识。这不是一本关于地理信…

记一次Java AES 加解密 对应C# AES加解密 的一波三折

最近在跟三方对接 对方采用AES加解密 作为一个资深neter Ctrl CV 是我最大的优点 所以我义正言辞的问他们要了demo java demo代码&#xff1a; public class EncryptDecryptTool {private static final String defaultCharset "UTF-8";private static final String …

zemax评价函数编辑器_ZEMAX与光学设计案例:激光扩束系统详细设计与公差分析(二)...

目前超过两千人的光学与光学设计方面的微信公众号&#xff0c;欢迎您的到来&#xff01;激光扩束系统公差分析ZEMAX与光学设计案例&#xff1a;激光扩束系统详细设计与公差分析(二)作者&#xff1a;墨子川上10倍扩束系统在上篇已经设计好了&#xff0c;接下来就是进行系统的公差…

决策者根据什么曲线做出决策_如何做出产品设计决策

决策者根据什么曲线做出决策by Tanner Christensen由Tanner Christensen 如何做出产品设计决策 (How Product Design Decisions are Made) Recently in a Facebook group dedicated to designers, known as Designers Guild, a young design student named Marina Candela ask…

移动前端框架重构几个关键问题

1. 是否该废弃iscroll&#xff1f; 我得出的结论是&#xff0c;是该废弃了。那当时为什么要用iscroll&#xff1f; 原因有三个&#xff1a; 1. 因为别人也用了。 2. 为了iPhone上页面滑动更顺畅。 3. 为了用上拉、下拉刷新。 关于这三个原因有几点观点&#xff1a; 1. 人最容易…

android 内部共享存储,Android共享内部存储

我现在面对txt文件的类似情况,并做到了这一点.File downloadedFile new File( context.getFilesDir(),"simple.txt" );downloadedFile.setReadable( true,false );downloadedFile.setWritable( true,false ); //set read/write for othersUri downloadFileUri Uri.f…