如何防止通过反射进入?
2022-09-04 19:51:50
在Java文档中,它提到使用方法我们可以违反封装的原则。f.setAccessible(true)
但是,如果我正在编写任何具有完全安全性的类,例如使用私有变量,我该如何防止通过反射访问它?
例如,我有一个具有完整安全实例变量的类:
public final class Immutable {
private final int someVal;
public Immutable(int someVal) {
this.someVal = someVal;
}
public int getVal() {
return someVal;
}
}
但是我可以使用反射来修改该实例变量,如下所示:
public class Tester {
public static void main(String[] args)
throws NoSuchFieldException, SecurityException,
IllegalArgumentException, IllegalAccessException {
Immutable i = new Immutable(10);
// output 10
System.out.println(i.getVal());
Field f = i.getClass().getDeclaredField("someVal");
f.setAccessible(true);
f.set(i, 11);
// output is 11 which implies some value modified
System.out.println(i.getVal());
}
}
在我的代码中,如何防止不可变类被反射更改?