C#經由過程IComparable完成ListT.sort()排序。本站提示廣大學習愛好者:(C#經由過程IComparable完成ListT.sort()排序)文章只能為提供參考,不一定能成為您想要的結果。以下是C#經由過程IComparable完成ListT.sort()排序正文
本文實例講述了C#經由過程IComparable完成ListT.sort()排序的辦法,分享給年夜家供年夜家參考之用。詳細辦法以下:
平日來講,List<T>.sort()可以完成對T的排序,好比List<int>.sort()履行後聚集會依照int從小到年夜排序。假如T是一個自界說的Object,可是我們想依照本身的方法來排序,那該怎樣辦呢,其實可以用過IComparable接口重寫CompareTo辦法來完成。流程以下:
1、第一步我們聲名一個類Person然則要繼續IComparable接口:
using System; using System.Collections.Generic; using System.Linq; using System.Text; using System.Threading.Tasks; namespace TestIComparable { public class Person : IComparable<Person> { public string Name { get; set; } public int Age { get; set; } public int CompareTo(Person obj) { int result; if (this.Name == obj.Name && this.Age == obj.Age) { result = 0; } else { if (this.Name.CompareTo(obj.Name) > 0) { result = 1; } else if (this.Name == obj.Name && this.Age > obj.Age) { result = 1; } else { result = -1; } } return result; } public override string ToString() { return this.Name + "-" + this.Age; } } }
2、然後在主函數外面挪用sort辦法便可.類就會依照姓名從小到年夜,假如姓名雷同則依照年紀從小到年夜排序了。
public class Program { public static void Main(string[] args) { List<Person> lstPerson = new List<Person>(); lstPerson.Add(new Person(){ Name="Bob",Age=19}); lstPerson.Add(new Person(){ Name="Mary",Age=18}); lstPerson.Add(new Person() { Name = "Mary", Age = 17 }); lstPerson.Add(new Person(){ Name="Lily",Age=20}); lstPerson.Sort(); Console.ReadKey(); } }
3、假如不繼續IComparable接口,我們該若何完成排序呢。可使用Linq來完成。其實後果是一樣的,只是假如類的聚集要常常排序的話,建議應用繼續接口的辦法,如許可以簡化sort的代碼,並且更輕易讓人看懂。
public static void Main(string[] args) { List<Person> lstPerson = new List<Person>(); lstPerson.Add(new Person(){ Name="Bob",Age=19}); lstPerson.Add(new Person(){ Name="Mary",Age=18}); lstPerson.Add(new Person() { Name = "Mary", Age = 17 }); lstPerson.Add(new Person(){ Name="Lily",Age=20}); lstPerson.Sort((x,y) => { int result; if (x.Name == y.Name && x.Age == y.Age) { result = 0; } else { if (x.Name.CompareTo(y.Name) > 0) { result = 1; } else if (x.Name == y.Name && x.Age > y.Age) { result = 1; } else { result = -1; } } return result; }); Console.ReadKey(); }
願望本文所述對年夜家的C#法式設計有所贊助。