object类的equals方法简介 & String类重写equals方法

时间:2023-03-08 17:02:16

object类中equals方法源码如下所示

 public boolean equals(Object obj)
{
return this == obj;
}

Object中的equals方法是直接判断this和obj本身的值是否相等,即用来判断调用equals的对象和形参obj所引用的对象是否是同一对象,所谓同一对象就是指内存中同一块存储单元,如果this和obj指向的hi同一块内存对

象,则返回true,如果this和obj指向的不是同一块内存,则返回false,注意:即便是内容完全相等的两块不同的内存对象,也返回false。

如果是同一块内存,则object中的equals方法返回true,如果是不同的内存,则返回false。

如果希望不同内存但相同内容的两个对象equals时返回true,则我们需要重写父类的equal方法

【以上内容转载自】http://blog.csdn.net/rain722/article/details/52425285

String类重写object中的equals方法

  /**
* Compares this string to the specified object. The result is {@code
* true} if and only if the argument is not {@code null} and is a {@code
* String} object that represents the same sequence of characters as this
* object.
*
* @param anObject
* The object to compare this {@code String} against
*
* @return {@code true} if the given object represents a {@code String}
* equivalent to this string, {@code false} otherwise
*
* @see #compareTo(String)
* @see #equalsIgnoreCase(String)
*/
public boolean equals(Object anObject) {
if (this == anObject) {
return true;
}
if (anObject instanceof String) {
String anotherString = (String)anObject;
int n = value.length;
if (n == anotherString.value.length) {
char v1[] = value;
char v2[] = anotherString.value;
int i = 0;
while (n-- != 0) {
if (v1[i] != v2[i])
return false;
i++;
}
return true;
}
}
return false;
}

判断条件:

如果两个对象具有相同的引用,则返回true,也就是Object类中的方法

如果传入的对象不属于String类,则返回false

如果传入的对象属于String类,则和原对象的长度进行比较,长度不相等则返回false,如果相等,则逐位比较它们的内容是否相同,都相同则返回true,否则返回false

注意:这个方法没有判断过两个对象均为null的情况,也就是说:

  public static void main(String args[]){
String a = null;
String b = null;
System.out.println(a.equals(b));
}

运行这段代码,会出现空指针异常,不允许调用equals方法的对象(这里是a)为null

object类的equals方法简介 & String类重写equals方法