我知道Arrays.deepEquals(Object [],Object []),但这不适用于基本类型(由于数组和自动装箱的限制,请参阅this related post)。
考虑到这一点,这是最有效的方法吗?
boolean byteArrayEquals(byte[] a, byte[] b) {
if (a == null && b == null)
return true;
if (a == null || b == null)
return false;
if (a.length != b.length)
return false;
for (int i = 0; i < a.length; i++) {
if (a[i] != b[i])
return false;
}
return true;
}
答案 0 :(得分:33)
将您的第一个比较更改为:
if (a == b)
return true;
这不仅捕获了“两个空”的情况,而且还“将数组与自身进行比较”的情况。
但是,对于更简单的替代方法 - 使用Arrays.equals
,它对每种基本类型都有重载。 (实现与你的实现非常相似,除了它将数组长度从循环中提升出来。在.NET上可以进行反优化,但我想JRE库实现者可能对JVM更了解:)
答案 1 :(得分:15)
我认为最有效的方法是使用Arrays类中的辅助方法,因为它们可能更巧妙地实现。所以在这种情况下,请使用
Arrays.equals(a, b);
答案 2 :(得分:0)
我不知道这是否会对任何人有所帮助,但这似乎有效:
if(type == type_BooleanArray) {
boolean eq = Arrays.equals((boolean[]) thisObj, (boolean[]) thatObj);
if(!eq) {
return false;
}
} else if(type == type_ByteArray) {
boolean eq = Arrays.equals((byte[]) thisObj, (byte[]) thatObj);
if(!eq) {
return false;
}
} else if(type == type_ShortArray) {
boolean eq = Arrays.equals((short[]) thisObj, (short[]) thatObj);
if(!eq) {
return false;
}
} else if(type == type_CharArray) {
boolean eq = Arrays.equals((char[]) thisObj, (char[]) thatObj);
if(!eq) {
return false;
}
} else if(type == type_IntArray) {
boolean eq = Arrays.equals((int[]) thisObj, (int[]) thatObj);
if(!eq) {
return false;
}
} else if(type == type_LongArray) {
boolean eq = Arrays.equals((long[]) thisObj, (long[]) thatObj);
if(!eq) {
return false;
}
} else if(type == type_FloatArray) {
boolean eq = Arrays.equals((float[]) thisObj, (float[]) thatObj);
if(!eq) {
return false;
}
} else if(type == type_DoubleArray) {
boolean eq = Arrays.equals((double[]) thisObj, (double[]) thatObj);
if(!eq) {
return false;
}
} else {
if(!thisObj.equals(thatObj)) {
return false;
}
}
显然array.equals(otherArray)
会array == otherArray
,而不是您所期望的。