考虑下面的例子。
String str = new String();
str = "Hello";
System.out.println(str); //Prints Hello
str = "Help!";
System.out.println(str); //Prints Help!
在Java中,String对象是不可变的。那么为什么对象str可以被赋值为"Help!"呢?这难道不是与Java中字符串的不变性相矛盾吗?有人能给我解释一下不变性的确切概念吗?
编辑:
好的。我现在明白了,但还有一个问题。下面的代码呢:
String str = "Mississippi";
System.out.println(str); // prints Mississippi
str = str.replace("i", "!");
System.out.println(str); // prints M!ss!ss!pp!
这是否意味着将再次创建两个对象(“Mississippi”和“M!ss!ss!pp!”),并且在replace()方法之后引用str指向不同的对象?
就像莱纳斯·托瓦兹说的:
空谈是廉价的。给我看看代码
看看这个:
public class Test{
public static void main(String[] args){
String a = "Mississippi";
String b = "Mississippi";//String immutable property (same chars sequence), then same object
String c = a.replace('i','I').replace('I','i');//This method creates a new String, then new object
String d = b.replace('i','I').replace('I','i');//At this moment we have 3 String objects, a/b, c and d
String e = a.replace('i','i');//If the arguments are the same, the object is not affected, then returns same object
System.out.println( "a==b? " + (a==b) ); // Prints true, they are pointing to the same String object
System.out.println( "a: " + a );
System.out.println( "b: " + b );
System.out.println( "c==d? " + (c==d) ); // Prints false, a new object was created on each one
System.out.println( "c: " + c ); // Even the sequence of chars are the same, the object is different
System.out.println( "d: " + d );
System.out.println( "a==e? " + (a==e) ); // Same object, immutable property
}
}
输出为
a==b? true
a: Mississippi
b: Mississippi
c==d? false
c: Mississippi
d: Mississippi
a==e? true
所以,记住两件事:
字符串是不可变的,直到你应用一个方法来操作和创建一个新的字符串(c和d的情况)。
如果两个参数相同,则Replace方法返回相同的String对象
超级晚的答案,但想把一个简洁的消息从作者的String类在Java
字符串是常量;它们的值在被修改之后就不能再修改了
创建。字符串缓冲区支持可变字符串。因为字符串
对象是不可变的,它们可以被共享。
它可以从这个文档中导出,任何改变字符串的东西,都会返回不同的对象(可以是新的或旧的)。
关于这一点不那么微妙的提示应该来自函数签名。
想想看,为什么他们让一个对象上的函数返回一个对象而不是状态?
public String replace(char oldChar, char newChar)
还有一个来源使这种行为显式(从替换函数文档)
返回一个新字符串,该字符串由替换所有出现的
oldChar和newChar。
来源:https://docs.oracle.com/javase/7/docs/api/java/lang/String.html取代(char、% 20字符)
作者李·博因顿
作者阿瑟·范霍夫
作者马丁·布赫兹
作者乌尔夫·齐比斯
来源:JavaDoc of String。