前言
这几天翻看java的基础知识点,不看不知道,原来自己基础掌握的这么差,这不,又在java函数参数传递这块栽了跟头,到底在java中参数是值传递呢还是引用传递呢,今天就好好整理下。
public class Example {
String str = "hello";
StringBuffer sb = new StringBuffer("world");
public static void main(String[] args) {
Example ex = new Example();
ex.change(ex.str, ex.sb);
System.out.print(ex.str+" and "+ ex.sb);
}
void change(String str,StringBuffer sb){
str = "good";
sb.append(" haha");
}
}
上面这个程序的输出结果为:
hello and world haha
答案先放到这里,但是这个里面涉及了两个对象,String和StringBuffer,我们还是由最简单的,java基本类型开始分析吧。上代码。
public class Example {
int n =3;
public static void main(String[] args) {
Example tt = new Example();
tt.change(tt.n);
System.out.println(tt.n);
}
public void change(int n) {
n = 10;
}
}
答案输出为3.
这个大家都能理解吧,在java语言中,基本类型作为参数传递时,传递的是值的拷贝,无论怎么改变传递过去的内容,原值都是不会改变的。
接下来改下这个代码,看看对象作为参数传递时是怎么一回事。
public class Example {
StringBuffer sb = new StringBuffer("hello");
public static void main(String[] args) {
Example tt = new Example();
tt.change(tt.sb);
System.out.println(tt.sb);
}
public void change(StringBuffer sb) {
sb.append(" world!");
}
}
输出结果为
hello world!
看到这个结果,大家应该会猜:对象作为参数传递时,是把对象的引用传递过去了,所以在调用的方法中进行相应的操作,原对象也会发生改变?等下,先别急,改下代码再看看。
public class Example {
StringBuffer sb = new StringBuffer("hello");
public static void main(String[] args) {
Example tt = new Example();
tt.change(tt.sb);
System.out.println(tt.sb);
}
public void change(StringBuffer sb) {
sb = new StringBuffer("hello world");
}
}
这段代码会输出什么呢?hello world?答案是NO,输出的结果为hello。
其实这块传递过来的还是引用,确切的说应该是引用的拷贝,当你new了一个新的对象之后,这个引用指向了这个新的对象,所以接下来做任何操作,都只针对这个新的对象,原对象的值是不会发生改变的。
好了,现在再让我们回头看第一个程序,这里要解释的一点是,String类是个特殊的类,对它的一些操作符是重载的,比如:
String str = "hello";
等价于String str = new String("hello");
好了,现在大家应该能理解第一个程序的输出结果了吧,在调用的程序中new了一个新的String对象,然后传递过来的引用指向了新的对象,而传递过来的StringBuffer引用则直接进行了操作,所以输出的结果,String对象没有变化而StringBuffer对象发生了改变。
总结
对于基本类型,传递的参数为值的拷贝,在调用的方法中对其做任意操作都对原来的值没有影响。
对于引用类型,传递的参数为引用的拷贝,直接用这个引用进行修改,原对象的内容,相应的也会发生改变。
String类作为一个特殊的final类,没有办法在原对象上做任何修改,所以任何操作其实都是返回了一个新的String对象。
好了,最后在贴一个小程序,相信大家运行了之后还会有新的收获~
public class Example {
char[] ch1 = {'1','2','3','4'};
char[] ch2 = {'a','b','c','d'};
public static void main(String[] args) {
Example tt = new Example();
tt.change(tt.ch1,tt.ch2);
System.out.println(tt.ch1);
System.out.println(tt.ch2);
}
public void change(char[] ch1,char[] ch2) {
char[] ch = {'d','c','b','a'};
ch1[0] = '0';
ch2 = ch;
}
}