//定义一个Person类
public class Person {
private String name;
private int age;
public Person(String name, int age) {
super();
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public int getAge() {
return age;
}
public void setAge(int age) {
this.age = age;
}
//程序主方法
import java.lang.reflect.*;
public class ReflectPerson {
/**
* @param args
* @throws SecurityException
* @throws NoSuchFieldException
* @throws IllegalAccessException
* @throws IllegalArgumentException
*/
public static void main(String[] args) throws NoSuchFieldException, SecurityException, IllegalArgumentException, IllegalAccessException {
Person p1=new Person("kiki", 46);
Class cp=p1.getClass();
Field s1=cp.getDeclaredField("age");
s1.setAccessible(true);//疑问1:此处设置为true,是不是将age变量修饰符转换为可访问的修饰符,从而开启其可访问性。
System.out.println(s1.getInt(p1));
s1.setInt(p1, 32);
System.out.println(s1.getInt(p1));
//疑问2::java面向对象的一大特性是封装性,就是通过类来体现,通过设置成员的访问级别,来达到封装的目的性。
//既然你设置private 的age 变量就是为了达到封装的目的性,从而实现数据的安全性。
//反射岂不是打破这一层的束缚,可以从外部访问类内部私有变量,而且还可以改变其值,这岂不是很不安全,而且private变量不是只能由类内部方法调用么???
}
}
|