Java是“引用传递”还是“按值传递”?


Java是“引用传递”还是“按值传递”?

Java始终是按值传递的。不幸的是,他们决定将对象的位置称为“引用”。当我们传递一个对象的值时,我们将引用传递给它。这对初学者来说很困惑。

它是这样的:

public static void main(String[] args) {
    Dog aDog = new Dog("Max");
    // we pass the object to foo
    foo(aDog);
    // aDog variable is still pointing to the "Max" dog when foo(...) returns
    aDog.getName().equals("Max"); // true
    aDog.getName().equals("Fifi"); // false
}

public static void foo(Dog d) {
    d.getName().equals("Max"); // true
    // change d inside of foo() to point to a new Dog instance "Fifi"
    d = new Dog("Fifi");
    d.getName().equals("Fifi"); // true
}

在上面的例子中aDog.getName()仍将返回"Max"。值aDog内main未在功能改变foo与Dog "Fifi"作为对象基准由值来传递。如果它是通过引用传递的,则aDog.getName()in main将"Fifi"在调用后返回foo。

同样:

public static void main(String[] args) {
    Dog aDog = new Dog("Max");
    foo(aDog);
    // when foo(...) returns, the name of the dog has been changed to "Fifi"
    aDog.getName().equals("Fifi"); // true
}

public static void foo(Dog d) {
    d.getName().equals("Max"); // true
    // this changes the name of d to be "Fifi"
    d.setName("Fifi");
}

在上面的例子中,Fifi调用后是狗的名字,foo(aDog)因为对象的名字是在里面设置的foo(...)。foo执行的任何操作d都是这样的,出于所有实际目的,它们是在aDog自身上执行的(除非d更改为指向不同的Dog实例d = new Dog("Boxer"))。