我正在使用SparseIntArray
,我对这种行为感到困惑:
public static SparseIntArray getArray()
{
SparseIntArray result = new SparseIntArray();
result.append(0, 99);
result.append(1, 988);
result.append(2, 636);
return result;
}
public static void testArray()
{
SparseIntArray first = getArray();
SparseIntArray second = getArray();
if( first.equals(second) )
{
Log.v(TAG,"first "+first.toString()+" == second "+second.toString());
}
else
{
Log.v(TAG,"first "+first.toString()+" != second "+second.toString());
}
}
输出:
11-06 14:53:15.011: V/fileName(6709): first {0=99, 1=988, 2=636} != second {0=99, 1=988, 2=636}
我知道在两个对象之间使用==会比较对象地址,在这种情况下,对象地址是不同的,但这里我使用的是SparseIntArray.equals(Object other)
,预期结果并不意外。
我确信我可以使用自己的比较方法,但这听起来有点傻。如果我们不能依赖基类Object.equals(Object other)
方法,那么它有什么意义?
有人能指出错误吗?
我刚刚搜索了SparseIntArray
的代码。如果您引用的是android.util.SparseIntArray,它不会覆盖equals
,这意味着它使用Object
类的默认实现,该类比较引用。
如果我们不能依赖基类Object.equals(Object-other)方法,那么它有什么意义?
事实上,你不能依赖基类Object.equals,因为它正是你不想做的事情:
public boolean equals(Object obj)
{
return (this == obj);
}
由任何类的编写者决定是否覆盖equals
并给出不同的实现。
@Eran是对的,Object.equals(Object)没有切割它。
我做了一个简单的静态方法来比较的两个实例
public static boolean compareSame( SparseIntArray first, SparseIntArray second )
{
// compare null
if( first == null )
{
return (second == null);
}
if( second == null )
{
return false;
}
// compare count
int count = first.size();
if( second.size() != count )
{
return false;
}
// for each pair
for( int index = 0; index < count; ++index )
{
// compare key
int key = first.keyAt(index);
if( key != second.keyAt(index))
{
return false;
}
// compare value
int value = first.valueAt(index);
if( second.valueAt(index) != value)
{
return false;
}
}
return true;
}
我可能最终会派生出我自己版本的SparseIntArray并重写equals方法,我认为这更干净。
[EDIT]这是实现equals 的子类的代码
import android.util.SparseIntArray;
public class SparseIntArrayComparable extends SparseIntArray {
@Override
public boolean equals( Object obj ) {
if( obj instanceof SparseIntArray ) {
SparseIntArray other = (SparseIntArray)obj;
// compare count
int count = size();
if( count != other.size() )
return false;
// for each pair
for( int index = 0; index < count; ++index ) {
if( keyAt(index) != other.keyAt(index))
return false;
if( valueAt(index) != other.valueAt(index) )
return false;
}
return true;
}
else
return false;
}
}