// 摘要: // 表示比較同一類型的兩個對象的方法。 // // 參數: // x: // 要比較的第一個對象。 // // y: // 要比較的第二個對象。 // // 類型參數: // T: // 要比較的對象的類型。 // // 返回結果: // 一個有符號整數,指示 x 與 y 的相對值,以下表所示。 值 含義 小於 0 x 小於 y。 0 x 等於 y。 大於 0 x 大於 y。 public delegate int Comparison<in T>(T x, T y);
Comparison委託用於比較兩個對象的大小。spa
class Class4 { public delegate int MyCompare(Customer a, Customer b); static void Main1(String[] args) { Customer c1 = new Customer() { Name = "zhangsan", Age = 18 }; Customer c2 = new Customer() { Name = "zhangsan", Age = 17 }; Customer c3 = new Customer() { Name = "zhangsan", Age = 20 }; Customer c4 = new Customer() { Name = "zhangsan", Age = 10 }; Customer c5 = new Customer() { Name = "zhangsan", Age = 25 }; List<Customer> list = new List<Customer>(); list.Add(c1); list.Add(c2); list.Add(c3); list.Add(c4); list.Add(c5); Comparison<Customer> comparesion = new Comparison<Customer>(Compare); list.Sort(comparesion); ObjectDumper.Write(list); } //比較兩個對象大小 public static int Compare(Customer c1, Customer c2) { if (c1.Age > c2.Age) { return 1; } else if(c1.Age==c2.Age) { return 0; } else { return -1; } } } class Customer { public string Name { get; set; } public int Age { get; set; } }
List集合中的 Sort方法,接受該委託:code
// // 摘要: // 使用指定的 System.Comparison<T> 對整個 System.Collections.Generic.List<T> 中的元素進行排序。 // // 參數: // comparison: // 比較元素時要使用的 System.Comparison<T>。 // // 異常: // System.ArgumentNullException: // comparison 爲 null。 // // System.ArgumentException: // 在排序過程當中,comparison 的實現會致使錯誤。 例如,將某個項與其自身進行比較時,comparison 可能不返回 0。 public void Sort(Comparison<T> comparison);
也可直接將方法傳入:對象
list.Sort(Compare);
或者省略方法名:blog
list.Sort(delegate(Customer a, Customer b) { if (a.Age > b.Age) { return 1; } else if (a.Age == b.Age) { return 0; } else { return -1; } });
Lamada:排序
//代碼演進 list.Sort((Customer a, Customer b) => { if (a.Age > b.Age) { return 1; } else if (a.Age == b.Age) { return 0; } else { return -1; } });