I was going through this excellent article on Java reference semantics
by Jon Skeet
, where he states that
We assume the presence of a procedure named f that takes a formal parameter s. We call that function giving it an actual parameter g.
The calling code:
f( g )
The function:
procedure f( s ) begin -- body of the procedure end;
All object instances in Java are allocated on the heap and can only be accessed through object references. So if I have the following:
StringBuffer g = new StringBuffer( "Hello" );
The variable g does not contain the string "Hello", it contains a reference (or pointer) to an object instance that contains the string "Hello".
So if I then call f( g ), f is free to modify its formal parameter s to make it point to another StringBuffer or to set it to null. The function f could also modify the StringBuffer by appending " World" for instance. While this changes the value of that StringBuffer, the value of that StringBuffer is NOT the value of the actual parameter g.
my understanding could be wrong. the program below does change the Stringbuffer passed to the method
public class MutabilityStringBuffer {
public static void main(String[] args){
StringBuffer sb = new StringBuffer("hello");
System.out.println("String before append: "+ sb.toString());
addString(sb);
System.out.println("Sting after append "+ sb.toString());
String s = "hello";
System.out.println("String before append: "+ s);
addString(s);
System.out.println("Sting after append "+ s);
}
public static void addString(StringBuffer word){
word.append(" world!");
}
public static void addString(String word){
word+=" world!";
}
}
ofcourse, Jon Skeet could not be wrong. But I see that the Stringbuffer
can be changed by passing it to method, because stringbuffer
is mutable, which is a bit contradictory to what Skeet posted. please clear my understanding here.
Thanks
See comments
In here
The original value of the reference passed to
word
changes when you reassign it withIt goes something like this
where the result of String concatenation is a new String object and therefore a new reference.
In the following
you access the object referenced by
word
, call a method on that object which internally modifies achar[]
. So you've changed the value of the object, not the value of the reference. Changing the reference would look likeThe
append
is performed on a newStringBuffer
object, not the one you passed as an argument, proof that the objects are passed by value.