本文将对作者开发过程中,碰到的C#中相等运算符重载可能造成的陷阱问题。通过对这一陷阱的解决,能让大家对相等运算符重载有更深的了解。
最近编程时遇到一个相等运算符重载的问题,想来该是C#的一个陷阱。
我定义的Coordinate类原先是这样重载相等运算符的:
- publice class Coordinates
- {
- ....
- public override bool Equals(object obj)
- {
- if (!(obj is Coordinates)) return false;
- Coordinates other = (Coordinates)obj;
- return (this.longitude.CompareTo(other.longitude) == 0) && (this.latitude.CompareTo(other.latitude) == 0);
- }
- public static bool operator ==(Coordinates lhs, Coordinates rhs)
- {
- return lhs.Equals(rhs);
- }
- public static bool operator !=(Coordinates lhs, Coordinates rhs)
- {
- return !(lhs == rhs);
- }
- ...
- }
这也是运算符重载时常见的情况,但在具体使用时有种情况下会出现问题:即当一个Coordinate对象本身为NULL,而它再与NULL比较时,如下所示:
- Coordinates actualPos = null;
- if (actualPos == null)
- { 。。。 }
- else
- { 。。。 }
运行时就会抛出错误,提示说某个指针为空。跟踪的结果发现就是承载的“==”运算符出现问题,它会调用“lhs.Equals(rhs)”语句,结果就是lhs本身不存在导致异常。
为此我试图在调用该语句前排除这种情况,于是把重载函数改为:
- public static bool operator ==(Coordinates lhs, Coordinates rhs)
- {
- if (lhs == null) return (rhs == null);
- return lhs.Equals(rhs);
- }
结果发现这个函数会继续调用自身,随后依然是出现异常。
要解决这个问题,就必须打破这样的死循环,于是尝试着把lhs映射为object,如下所示:
- public static bool operator ==(Coordinates lhs, Coordinates rhs)
- {
- if ((lhs as object) == null) return ((rhs as object) == null);
- return lhs.Equals(rhs);
- }
lhs被映射为object后的“==”就会采用object的相等运算符,结果自然OK。这样的问题相信使用C#编程迟早会遇到,可能还莫名其妙,希望以上文章对大家有用。
原文标题:C#相等运算符重载的陷阱和解决办法
链接:http://www.cnblogs.com/cruisoring/archive/2009/11/04/1595958.html