Java中的参数传递机制:值传递机制
- 形参是基本数据类型的:将实参的值传递给形参的基本数据类型的变量
- 形参是引用类型的:将实参的引用类型变量的值(对应的堆空间的对象实体的首地址值)传递给形参的引用类型变量。
class Value {
int i = 15;
}
public class Test {
public static void main(String argv[]) {
Test t = new Test();
t.first();
}
public void first() {
int i = 5;
Value v = new Value();
v.i = 25;
System.out.println("first.v="+v);
second(v, i);
System.out.println("first.v="+v);
System.out.println(v.i);
}
public void second(Value v, int i) {
i = 0;
System.out.println("v="+v);
v.i = 20;
Value val = new Value();
v = val;
System.out.println("val="+val);
System.out.println("v="+v);
System.out.println(v.i + " " + i);
}
}
运行结果:
first.v=day07.Value@2d554825
v=day07.Value@2d554825
val=day07.Value@68837a77
v=day07.Value@68837a77
15 0
first.v=day07.Value@2d554825
20
String类对象的传递:
package day07;
public class Test {
public static void main(String[] args) {
String msg = "hello";
fun(msg);
System.out.println(msg);
}
public static void fun(String temp) {
temp = "Hello world";
}
}
运行结果:
hello
String类的对象内容发生变化时会自动创建新的堆内存空间来存储变化后的内容;在本例中局部引用类型temp在fun()方法结束后将失效,其对应的堆内存也将无栈内存指向,成为垃圾。