String使用equals方法和==分别比较的是什么?

时间:2022-04-06 13:53:52

String类中的equals方法是对父类Object类中的equals方法的覆盖,先来看下Object类的equals方法怎么写的:

 * @param   obj   the reference object with which to compare.
* @return {@code true} if this object is the same as the obj
* argument; {@code false} otherwise.
* @see #hashCode()
* @see java.util.HashMap
*/
public boolean equals(Object obj) {
return (this == obj);
}

String类中的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;
}

可以看到,在此equals方法中有一个value的数组。找到其定义:

public final class String {
private final char value[];/****用于存放String的字符数组***/
//略
}
可以看出,value是一个char类型的数组,用于存放字符串中的每个字符。和上边String类的定义相吻合(废话么这不是)。
判断条件:
    若当前对象和比较的对象是同一个对象,即return true。也就是Object中的equals方法。
    若当前传入的对象是String类型,则比较两个字符串的长度,即value.length的长度。
          若长度不相同,则return false
          若长度相同,则按照数组value中的每一位进行比较,不同,则返回false。若每一位都相同,则返回true。
    若当前传入的对象不是String类型,则直接返回false