我无法理解为什么下面的代码会返回“false”
String x="Hello World";
String z=" Hello World".trim();
System.out.println(x==z); //false
我已经读过“字符串是不可变的,文字是汇集的”。执行trim()
后,z将是z="Hello World"
,然后输出不是true
?
答案 0 :(得分:2)
您正在比较指向对象的指针,这些指针会有所不同。对于字符串,您应该使用:
x.equals(z)
答案 1 :(得分:2)
这是因为字符串是不可变的!因此,trim()
方法返回String
的新实例,该实例具有不同的引用。您可以通过观看源代码来查看它。
public String trim() {
int len = value.length;
int st = 0;
char[] val = value;
while ((st < len) && (val[st] <= ' ')) {
st++;
}
while ((st < len) && (val[len - 1] <= ' ')) {
len--;
}
return ((st > 0) || (len < value.length)) ? substring(st, len) : this;
}
public String substring(int beginIndex, int endIndex) {
if (beginIndex < 0) {
throw new StringIndexOutOfBoundsException(beginIndex);
}
if (endIndex > value.length) {
throw new StringIndexOutOfBoundsException(endIndex);
}
int subLen = endIndex - beginIndex;
if (subLen < 0) {
throw new StringIndexOutOfBoundsException(subLen);
}
return ((beginIndex == 0) && (endIndex == value.length)) ? this
: new String(value, beginIndex, subLen); // new instance!
}