java反射机制与运用
程序员文章站
2024-01-21 20:42:46
...
什么是java的反射机制
JAVA反射机制是在运行状态中,对于任意一个实体类,都能够知道这个类的所有属性和方法;对于任意一个对象,都能够调用它的任意方法和属性;这种动态获取信息以及动态调用对象方法的功能称为java语言的反射机制。
JAVA反射(放射)机制:“程序运行时,允许改变程序结构或变量类型,这种语言称为动态语言”。从这个观点看,Perl,Python,Ruby是动态语言,C++,Java,C#不是动态语言。但是JAVA有着一个非常突出的动态相关机制:Reflection,用在Java身上指的是我们可以于运行时加载、探知、使用编译期间完全未知的classes。换句话说,Java程序可以加载一个运行时才得知名称的class,获悉其完整构造(但不包括methods定义),并生成其对象实体、或对其fields设值、或唤起其methods。
运用场景
Aop,动态代理,spring,mybatis等
简单实例
User
public class User {
@Deprecated
private Integer age;
private String name;
public Integer getAge() {
return age;
}
public void setAge(Integer age) {
this.age = age;
}
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
}
DemoTest
public class DemoTest {
public static void main(String[] args) throws Exception {
Class<?> userClass = Class.forName("com.mayikt.pojo.User");
//if ConstructorMethod is private, then setAccessible(true)
userClass.getDeclaredConstructor().setAccessible(true);
//Get current and super class's method
userClass.getMethods();
//Get current class's method
userClass.getDeclaredMethods();
//Get current and super class's fields
userClass.getFields();
//Get current class's fields
userClass.getDeclaredFields();
//Get current class's annotations
Annotation[] annotations = userClass.getDeclaredAnnotations();
//Do you add DeprecatedAnnotation on your Field
Field ageField = userClass.getDeclaredField("age");
ageField.isAnnotationPresent(Deprecated.class);
//Do you add DeprecatedAnnotation on your Method
Method declaredMethod = userClass.getMethod("getAge");
declaredMethod.isAnnotationPresent(Deprecated.class);
//Do you add DeprecatedAnnotation on your Class
Class<? extends Class> aClass = userClass.getClass();
aClass.isAnnotationPresent(Deprecated.class);
//use reflect to create object
User user = (User) userClass.newInstance();
user.setAge(22);
System.out.println(user.getAge());
}
}