java函数中的传值和传引用问题一直是个比较“邪门”的问题,
其实java函数中的参数都是传递值的,
所不同的是对于基本数据类型传递的是参数的一份拷贝,对于类类型传递的是该类参数的引用的拷贝,
当在函数体中修改参数值时,无论是基本类型的参数还是引用类型的参数,修改的只是该参数的拷贝,不影响函数实参的值,
如果修改的是引用类型的成员值,则该实参引用的成员值是可以改变的。
package com.test9.echo;
/**
*
* @author Echo
* @date 2018/1/27
*
*/
public class Test {
public static void changeInt(int i) {// 改变int型变量的函数
i = 100;
}
public static void changeString(String s) {// 改变String型变量的函数
s = "changeString";
}
public static void changeModel(Model model) {// 改变Model型变量的函数
model = new Model();
model.i = 1;
model.s = "changeModel";
}
public static void changeModel2(Model model) {// 改变Model型变量的成员的函数
model.i = 1;
model.s = "changeModel";
}
// 测试程序
public static void main(String[] args) {
int i = 0;
String s = "hello";
Model model = new Model();
Model model2 = new Model();
changeInt(i);
System.out.println("i=" + i);
changeString(s);
System.out.println("s=" + s);
changeModel(model);
System.out.println("model:" + model.s + " " + model.i);
changeModel2(model2);
System.out.println("model2:" + model2.s + " " + model2.i);
}
}
// 类Model
class Model {
public int i = 0;
public String s = "no value";
}