何时需要重写equals()
当一个类有自己特有的“逻辑相等”概念(不同于对象身份的概念)。
如何覆写equals()和hashcode
覆写equals方法
1 使用instanceof操作符检查“实参是否为正确的类型”。
2 对于类中的每一个“关键域”,检查实参中的域与当前对象中对应的域值。
3. 对于非float和double类型的原语类型域,使用==比较;
4 对于对象引用域,递归调用equals方法;
5 对于float域,使用Float.floatToIntBits(afloat)转换为int,再使用==比较;
6 对于double域,使用Double.doubleToLongBits(adouble)转换为int,再使用==比较;
7 对于数组域,调用Arrays.equals方法。
覆写hashcode
1. 把某个非零常数值,例如17,保存在int变量result中;
2. 对于对象中每一个关键域f(指equals方法中考虑的每一个域):
3, boolean型,计算(f? 0 : 1);
4. byte,char,short型,计算(int);
5. long型,计算(int)(f ^ (f>>>32));
6. float型,计算Float.floatToIntBits(afloat);
7. double型,计算Double.doubleToLongBits(adouble)得到一个long,再执行[2.3];
8. 对象引用,递归调用它的hashCode方法;
9. 数组域,对其中每个元素调用它的hashCode方法。
10. 将上面计算得到的散列码保存到int变量c,然后执行result=37*result+c;
11. 返回result。
举个例子:
- [java] view plaincopy
- public class MyUnit{
- private short ashort;
- private char achar;
- private byte abyte;
- private boolean abool;
- private long along;
- private float afloat;
- private double adouble;
- private Unit aObject;
- private int[] ints;
- private Unit[] units;
-
- public boolean equals(Object o) {
- if (!(o instanceof MyUnit))
- return false;
- MyUnit unit = (MyUnit) o;
- return unit.ashort == ashort
- && unit.achar == achar
- && unit.abyte == abyte
- && unit.abool == abool
- && unit.along == along
- && Float.floatToIntBits(unit.afloat) == Float
- .floatToIntBits(afloat)
- && Double.doubleToLongBits(unit.adouble) == Double
- .doubleToLongBits(adouble)
- && unit.aObject.equals(aObject)
- && equalsInts(unit.ints)
- && equalsUnits(unit.units);
- }
-
- private boolean equalsInts(int[] aints) {
- return Arrays.equals(ints, aints);
- }
-
- private boolean equalsUnits(Unit[] aUnits) {
- return Arrays.equals(units, aUnits);
- }
-
- public int hashCode() {
- int result = 17;
- result = 31 * result + (int) ashort;
- result = 31 * result + (int) achar;
- result = 31 * result + (int) abyte;
- result = 31 * result + (abool ? 0 : 1);
- result = 31 * result + (int) (along ^ (along >>> 32));
- result = 31 * result + Float.floatToIntBits(afloat);
- long tolong = Double.doubleToLongBits(adouble);
- result = 31 * result + (int) (tolong ^ (tolong >>> 32));
- result = 31 * result + aObject.hashCode();
- result = 31 * result + intsHashCode(ints);
- result = 31 * result + unitsHashCode(units);
- return result;
- }
-
- private int intsHashCode(int[] aints) {
- int result = 17;
- for (int i = 0; i < aints.length; i++)
- result = 31 * result + aints[i];
- return result;
- }
-
- private int unitsHashCode(Unit[] aUnits) {
- int result = 17;
- for (int i = 0; i < aUnits.length; i++)
- result = 31 * result + aUnits[i].hashCode();
- return result;
- }
- }
复制代码
|
|