我使用了一些注释动态设置在类字段的值。 因为我想做到这一点,无论它是公共的,保护的,还是私人的,我是一个呼叫setAccessible(true)
每次Field对象上调用之前set()
方法。 我的问题是什么样的影响呢的setAccessible()
调用已经在球场上本身?
更具体地讲,说这是一个私人领域,这组代码调用setAccessible(true)
。 如果代码中的其他地方是那么地检索通过反射同场,将现场已经可以访问? 抑或是getDeclaredFields()
和getDeclaredField()
方法每次返回Field对象的新实例?
我想提出这个问题的另一种方式是,如果我叫setAccessible(true)
,是多么重要的是它设置回原始值,我做了之后?
随着setAccessible()
更改的行为AccessibleObject
,即Field
实例,而不是类的实际领域。 这里的文档 (节选):
的值true
表明,当它被使用的反射对象应该抑制为Java语言访问控制检查
和一个可运行的例子:
public class FieldAccessible {
public static class MyClass {
private String theField;
}
public static void main(String[] args) throws Exception {
MyClass myClass = new MyClass();
Field field1 = myClass.getClass().getDeclaredField("theField");
field1.setAccessible(true);
System.out.println(field1.get(myClass)); // no exception
Field field2 = myClass.getClass().getDeclaredField("theField");
System.out.println(field2.get(myClass)); // IllegalAccessException
}
}
该getDeclaredField
方法每次都返回一个新的对象,正是因为这个对象具有可变的accessible
标志。 所以,没有必要重新设置标志。 你可以找到的全部细节这个博客帖子 。
正如其他海报指出, setAccessible
只适用于你的那个实例java.lang.reflect.Field
,所以设置无障碍设施恢复到原来的状态是没有必要的。
然而...
如果您想您的通话field.setAccessible(true)
是持久性的,你需要使用下面的方法java.lang.Class
和java.lang.reflect.Field
。 面向公众的方式发送给您的副本 Field
实例,因此它“忘记”以后每次做类似class.getField(name)
import java.lang.reflect.*;
import sun.reflect.FieldAccessor;
public class Reflect {
private static Method privateGetDeclaredFields;
private static Method getFieldAccessor;
public static Field[] fields(Class<?> clazz) throws Exception {
return (Field[]) privateGetDeclaredFields.invoke(clazz, false);
}
public static <T> T get(Object instance, Field field) throws Exception {
return ((FieldAccessor) getFieldAccessor.invoke(field, instance)).get(instance);
}
public static void set(Object instance, Field field, Object value) throws Exception {
((FieldAccessor) getFieldAccessor.invoke(field, instance)).set(instance, value);
}
static {
try {
// These are used to access the direct Field instances instead of the copies you normally get through #getDeclaredFields.
privateGetDeclaredFields = Class.class.getDeclaredMethod("privateGetDeclaredFields", boolean.class);
privateGetDeclaredFields.setAccessible(true);
getFieldAccessor = Field.class.getDeclaredMethod("getFieldAccessor", Object.class);
getFieldAccessor.setAccessible(true);
} catch (Exception e) {
// Should only occur if the internals change.
e.printStackTrace();
}
}
}
import java.lang.reflect.Field;
import java.lang.reflect.Method;
public class PrivateVariableAcc {
public static void main(String[] args) throws Exception {
PrivateVarTest myClass = new PrivateVarTest();
Field field1 = myClass.getClass().getDeclaredField("a");
field1.setAccessible(true);
System.out.println("This is access the private field-"
+ field1.get(myClass));
Method mm = myClass.getClass().getDeclaredMethod("getA");
mm.setAccessible(true);
System.out.println("This is calling the private method-"
+ mm.invoke(myClass, null));
}
}