Java SE 字符串池

Java SE String pool

我无法理解为什么下面的代码 returns "false"

String x="Hello World";
String z=" Hello World".trim();
System.out.println(x==z); //false

我读到 "Strings are immutable and literals are pooled"。执行 trim() 后,z 将是 z="Hello World" 那么为什么输出不是 true

您正在比较指向对象的指针,这将是不同的。对于字符串,您应该使用:

x.equals(z)

因为字符串是不可变的!因此 trim() 方法 returns 具有不同引用的 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!
}