示例5.7 實現System.IComparable接口
public sealed class Person : System.IComparable {
internal int age;
public int CompareTo(object rhs) {
if (this == rhs) return 0; // 相同
Person other = (Person)rhs;
if (other.age > this.age) return -1;
else if (other.age < this.age) return 1;
else return 0;
}
}
你可以在CompareTo方法中,對復合的if-else語句進行修改,如下所示:
return this.age - other.age;
如果this.age大於other.age,該方法將返回一個正數;如果兩個值相等,該方法返回零;否則,該方法返回一個負數。
-----------------------------------------------------------------------------
我們考慮以下測試程序:
using System;
namespace Benben.Test.EssentialNet.Chapter5
{
public sealed class Person : IComparable
{
internal int age;
public int CompareTo(object rhs)
{
if (this == rhs) return 0; // 相同
Person other = (Person)rhs;
return this.age - other.age;
}
}
sealed class Test
{
static void Main()
{
Person Lippman = new Person();
Person Richter = new Person();
Lippman.age = int.MaxValue;
Richter.age = -1;
int cmp = Lippman.CompareTo(Richter);
string str = (cmp > 0) ? ">" : ((cmp < 0) ? "<" : "=");
Console.WriteLine("Lippman.age: {0:N0}", Lippman.age);
Console.WriteLine("Richter.age: {0:N0}", Richter.age);
Console.WriteLine("ComperTo return: {0:N0}", cmp);
Console.WriteLine("Comper result: Lippman {0} Richter", str);
}
}
}
運行結果如下:
Lippman.age: 2,147,483,647
Richter.age: -1
ComperTo return: -2,147,483,648
Comper result: Lippman < Richter
該測試程序得到了錯誤的比較結果。可見,大師也有考慮不周到的地方。 :)
如果使用 /checked+ 參數重新編譯該程序,再運行時將拋出一個System.OverflowException異常,也就是說算術運算導致溢出。這就是導致錯誤的比較結果的原因。
當然,人的年齡既不可能是負數,也不可能太大。實際上,把age字段的類型改為short或者ushort就可以避免這個問題。
如果真的需要比較兩個int或者long類型的數,還是老老實實地使用復合的if-else語句可靠。 :)