如何通过引用正确传递整数类?

2022-08-31 12:34:49

我希望有人能为我澄清这里发生的事情。我在整数类中挖掘了一下,但由于整数覆盖了运算符,我无法弄清楚出了什么问题。我的问题是这行:+

Integer i = 0;
i = i + 1;  // ← I think that this is somehow creating a new object!

这是我的推理:我知道java是按值传递的(或按引用值传递的),所以我认为在下面的示例中,整数对象每次都应该递增。

public class PassByReference {

    public static Integer inc(Integer i) {
        i = i+1;    // I think that this must be **sneakally** creating a new integer...  
        System.out.println("Inc: "+i);
        return i;
    }

    public static void main(String[] args) {
        Integer integer = new Integer(0);
        for (int i =0; i<10; i++){
            inc(integer);
            System.out.println("main: "+integer);
        }
    }
}

这是我的预期输出:

Inc: 1
main: 1
Inc: 2
main: 2
Inc: 3
main: 3
Inc: 4
main: 4
Inc: 5
main: 5
Inc: 6
main: 6
...

这是实际输出。

Inc: 1
main: 0
Inc: 1
main: 0
Inc: 1
main: 0
...

为什么会这样?


答案 1

有两个问题:

  1. 整数是按值传递的,而不是按引用传递的。更改方法内的引用不会反映在调用方法中传递的引用中。
  2. 整数是不可变的。没有像这样的方法。否则,您可以利用它。Integer#set(i)

若要使其正常工作,需要重新分配该方法的返回值。inc()

integer = inc(integer);

要了解有关按值传递的更多信息,下面是另一个示例:

public static void main(String... args) {
    String[] strings = new String[] { "foo", "bar" };
    changeReference(strings);
    System.out.println(Arrays.toString(strings)); // still [foo, bar]
    changeValue(strings);
    System.out.println(Arrays.toString(strings)); // [foo, foo]
}
public static void changeReference(String[] strings) {
    strings = new String[] { "foo", "foo" };
}
public static void changeValue(String[] strings) {
    strings[1] = "foo";
}

答案 2

整数是不可变的。可以将 int 包装在自定义包装器类中。

class WrapInt{
    int value;
}

WrapInt theInt = new WrapInt();

inc(theInt);
System.out.println("main: "+theInt.value);