如何将两个Integer的引用对象传给swap方法在方法内部交换,使引用值发生变化?

首先JAVA方法中变量传递分引用传递和值传递两种。基本类型是值传递,其余为引用传递。引用传递传来的变量相当于在操作的是原变量的副本,不会对原变量造成影响。所以如果想要影响原变量,那就需要看Integer源码是如何存储值的。
我们使用javap -v xx.class命令反编译class文件:

Code:
    stack=3, locals=3, args_size=1
       0: sipush        129
       3: invokestatic  #2                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
       6: astore_1
       7: iconst_2
       8: invokestatic  #2                  // Method java/lang/Integer.valueOf:(I)Ljava/lang/Integer;
      11: astore_2
      12: aload_1
      13: aload_2
      14: invokestatic  #3                  // Method swap:(Ljava/lang/Integer;Ljava/lang/Integer;)V
      17: getstatic     #4                  // Field java/lang/System.out:Ljava/io/PrintStream;
      20: new           #5                  // class java/lang/StringBuilder
      23: dup
      24: invokespecial #6                  // Method java/lang/StringBuilder."":()V
      27: ldc           #7                  // String after a=

可以看出 Integer a = 1, b=2 是进行了自动装箱操作。使用了Integer.valueOf()方法。再去找下源码:

    public static Integer valueOf(int i) {
      if (i >= IntegerCache.low && i <= IntegerCache.high)
          return IntegerCache.cache[i + (-IntegerCache.low)];
      return new Integer(i);
  }

其中 IntegerCache.low=-128,IntegerCache.high=127。也就是说在-128~127之间做了个缓存,如果赋值为该区域间的同一值,则会使用同一地址。否则则调用构造函数,创建一个对象。(这也是在swap方法中,我们使用Integer tmp = new Integer(a);而不是直接int tmp = a的原因。否则tmp和a因为缓存关系,会操作同一地址,当修改a值的时候,tmp的值也会改变,会出现 a=2,b=2的情况)

   private final int value;
   public Integer(int value) {
      this.value = value;
  }

可以看出,最终值是存储在private final int value这一私有变量中的。理论上JAVA不可以更改其他类的私有变量,所以我们需要使用反射,并把setAccessible属性设置为true

附上实现代码:

    public static void main(String[] args) throws Exception {
        Integer a = 1, b = 2;
        swap(a, b);
        System.out.println("after a=" + a + ", b=" + b);
    }

    public static void swap(Integer a, Integer b) throws Exception {
        Field field = Integer.class.getDeclaredField("value");
        field.setAccessible(true);
        Integer tmp = new Integer(a);
        field.set(a, b.intValue());
        field.set(b, tmp);
    }

你可能感兴趣的:(面试)