在 Java 中修改最终字段

2022-08-31 19:37:46

让我们从一个简单的测试用例开始:

import java.lang.reflect.Field;

public class Test {
  private final int primitiveInt = 42;
  private final Integer wrappedInt = 42;
  private final String stringValue = "42";

  public int getPrimitiveInt()   { return this.primitiveInt; }
  public int getWrappedInt()     { return this.wrappedInt; }
  public String getStringValue() { return this.stringValue; }

  public void changeField(String name, Object value) throws IllegalAccessException, NoSuchFieldException {
    Field field = Test.class.getDeclaredField(name);
    field.setAccessible(true);
    field.set(this, value);
    System.out.println("reflection: " + name + " = " + field.get(this));
  }

  public static void main(String[] args) throws IllegalAccessException, NoSuchFieldException {
    Test test = new Test();

    test.changeField("primitiveInt", 84);
    System.out.println("direct: primitiveInt = " + test.getPrimitiveInt());

    test.changeField("wrappedInt", 84);
    System.out.println("direct: wrappedInt = " + test.getWrappedInt());

    test.changeField("stringValue", "84");
    System.out.println("direct: stringValue = " + test.getStringValue());
  }
}

任何人都在乎猜测什么将被打印为输出(显示在底部,以免立即破坏惊喜)。

问题是:

  1. 为什么原始整数和包装整数的行为不同?
  2. 为什么反射式与直接访问会返回不同的结果?
  3. 最困扰我的那个 - 为什么String表现得像原始而不是像?intInteger

结果(java 1.5):

reflection: primitiveInt = 84
direct: primitiveInt = 42
reflection: wrappedInt = 84
direct: wrappedInt = 84
reflection: stringValue = 84
direct: stringValue = 42

答案 1

编译时常量是内联的(在 javac 编译时)。请参阅JLS,特别是15.28定义了常量表达式,13.4.9讨论了二进制兼容性或最终字段和常量。

如果使字段成为非最终字段或分配非编译时常量,则不会内联该值。例如:

private final StringValue = null!=null?“”: “42”;


答案 2

在我看来,情况更糟:一位同事指出了以下有趣的事情:

@Test public void  testInteger() throws SecurityException,  NoSuchFieldException, IllegalArgumentException, IllegalAccessException  {      
    Field value = Integer.class.getDeclaredField("value");      
    value.setAccessible(true);       
    Integer manipulatedInt = Integer.valueOf(7);      
    value.setInt(manipulatedInt, 666);       
    Integer testInt = Integer.valueOf(7);      
    System.out.println(testInt.toString());
}

通过这样做,您可以更改正在运行的整个 JVM 的行为(当然,您只能更改 -127 和 127 之间的值的值)