Lewis D.
—A simple Google search of this question will return a straightforward answer that Java is always pass-by-value. The reason this question is confusing is because Java achieves its functionality using special variable types known as object references.
Before we continue, let’s briefly define the terms pass-by-reference and pass-by-value:
Let’s look at these concepts more closely with the code snippet below:
public class Mug { private String contents; public Mug(String contents) { this.contents = contents; } public void setContents(String contents) { this.contents = contents; } public String getContents(){ return contents; } } public class Run { public static void spill(Mug myMug) { myMug.setContents("nothing"); } public static void main(String args[]) { Mug myMug = new Mug("tea"); // myMug contains "tea" System.out.println(myMug.getContents()); spill(myMug); // myMug now contains "nothing" System.out.println(myMug.getContents()); } }
In example above, the contents of the Mug
object are manipulated in a way that is functionally very similar to a native pass-by-reference system. However, there is a key difference that is explained by the mechanism of storing non-primitive variable types in Java.
Primitive types in Java, such as char
, int
, and boolean
, are passed-by-value in the purest sense of the term.
Consider the code snippet below:
public class Run { public static void main(String args[]){ int foo = 13; System.out.println(foo); // this will print "1" setFoo(foo); System.out.println(foo); // this will still print "1" } public static void setFoo(int bar){ bar = 2; } }
When the primitive int
type foo
is passed, it results in two separate int
variables on the stack, foo
and bar
, like this:
Calling setFoo()
will create a copy of foo
’s value inside the variable bar
and place this on the stack.
Then, setFoo()
updates bestNum