public static void main(String[] args) {
String s = "hello";
change(s);
System.out.println(s); //hello
StringBuffer sb = new StringBuffer("hello");
change(sb);
System.out.println(sb); //helloworld
}
public static void change(String s) {
s += "world";
}
public static void change(StringBuffer sb) {
sb.append("world");
}
此程序结果为
hello
helloworld
强制解释:引用类型作为参数:形式参数的改变直接影响实际参数。字符串除外。
字符串除外原理在哪里?
原来:在main方法中的s变量在栈内存开辟空间指向方法区的常量池中的“hello”,当调用方法传入参数时,传入的是hello的地址值,方法中的s变量也在栈内存
有一个空间指向hello的地址值,运行s+="world",则在方法区的常量池又开了个空间存放helloworld,方法中的S指向这个空间地址值,main方法中的s指向的还
是原来的地址值也就是hello,所以不影响实际参数。
|
|