1. 程式人生 > >java之傳遞String型別的引數

java之傳遞String型別的引數

轉載請註明出處

http://blog.csdn.net/pony_maggie/article/details/44120045

作者:小馬


看一段程式碼:

public class ArrayTest 
{
	//都是引用傳遞,輸出的結果是"goodbbb"
	public void arrayPassTest(String s, String[] ss)
	{
		s = "bad";
		ss[0] = "bbb";
	}

public static void main(String[] args) 
	{
		String s1 = new String("good");
		String[] ss1 = {"aaa"}; //string陣列,只有一個元素
		
		ArrayTest test = new ArrayTest();
		test.arrayPassTest(s1, ss1);
		System.out.println(s1+ss1[0]);

輸出結果:
goodbbb

如果你認為arrayPassTest 函式中,s是作為值傳遞,而ss是作為引用傳遞,所以有這樣的輸出結果,也不算錯誤,但是決對沒有真正理解裡面的原因。在這裡,String 型別的傳遞是引用傳遞,也即是地址傳遞。這個是毋庸置疑的。因為在java裡,String是物件型別,作為引數肯定是引用傳遞。之所以有值傳遞的效果,是因為Stirng內部實現時,是用char[] 來儲存字串的,所以String相當於char[]的包裝類,那java中,包裝類的一個特質就是值操作時體現對應的基本型別的特質。

這個確實有點難理解,尤其是從C/C++轉出過的程式設計師。需要再慢慢揣摩。

ss引數完全符合引用傳遞的特點,很好理解,不多說。附上String的建構函式實現,

public String(String original) {
	int size = original.count;
	char[] originalValue = original.value;
	char[] v;
  	if (originalValue.length > size) {
 	    // The array representing the String is bigger than the new
 	    // String itself.  Perhaps this constructor is being called
 	    // in order to trim the baggage, so make a copy of the array.
	    v = new char[size];
 	    System.arraycopy(originalValue, original.offset, v, 0, size);
 	} else {
 	    // The array representing the String is the same
 	    // size as the String, so no point in making a copy.
	    v = originalValue;
 	}
	this.offset = 0;
	this.count = size;
	this.value = v;
    }

這個示例也給我們一個啟示,當寫一個函式傳遞陣列時,不要直接對內部成員賦值,否則結果就不可控了, 比如下面這個函式,如果myArray被某個成員函式改變了,那麼傳遞的這個陣列也會改變。
public void setArray(String[] newArray)
	{
		this.m_myArray = newArray;
	} 

而應該這樣實現比較好,
public void setArrayNew(String[] newArray)
	{
		if(newArray == null)
		{
			this.m_myArray = new String[0];
		}
		else
		{
			this.m_myArray = new String[newArray.length];
			System.arraycopy(newArray, 0, this.m_myArray, 0, newArray.length);
		}
	}