// 1. 通过类型class静态变量 Class clz1 = String.class; String str = "Hello"; // 2. 通过对象的getClass()方法 Class clz2 = str.getClass();
public class ReflectionTest01 { public static void main(String[] args) { // 获得Class实例 // 1.通过类型class静态变量 Class clz1 = String.class; String str = "Hello"; // 2.通过对象的getClass()方法 Class clz2 = str.getClass(); // 获得int类型Class实例 Class clz3 = int.class; // 获得Integer类型Class实例 Class clz4 = Integer.class; System.out.println("clz2类名称:" + clz2.getName()); System.out.println("clz2是否为接口:" + clz2.isInterface()); System.out.println("clz2是否为数组对象:" + clz2.isArray()); System.out.println("clz2父类名称:" + clz2.getSuperclass().getName()); System.out.println("clz2是否为基本类型:" + clz2.isPrimitive()); System.out.println("clz3是否为基本类型:" + clz3.isPrimitive()); System.out.println("clz4是否为基本类型:" + clz4.isPrimitive()); } }运行结果如下:
clz2类名称:java.lang.String
clz2是否为接口:false
clz2是否为数组对象:false
clz2父类名称:java.lang.Object
clz2是否为基本类型:false
clz3是否为基本类型:true
clz4是否为基本类型:false
public class ReflectionTest02 { public static void main(String[] args) { try { // 动态加载xx类的运行时对象 Class c = Class.forName("java.lang.String"); // 获取成员方法集合 Method[] methods = c.getDeclaredMethods(); // 遍历成员方法集合 for (Method method : methods) { // 打印权限修饰符,如public、protected、private System.out.print(Modifier.toString(method.getModifiers())); // 打印返回值类型名称 System.out.print(" " + method.getReturnType().getName() + " "); // 打印方法名称 System.out.println(method.getName() + "();"); } } catch (ClassNotFoundException e) { System.out.println("找不到指定类"); } } }上述代码第 5 行是通过 Class 的静态方法
forName(String)
创建某个类的运行时对象,其中的参数是类全名字符串,如果在类路径中找不到这个类则抛出 ClassNotFoundException 异常,见代码第 17 行。method.getModifiers()
方法返回访问权限修饰符常量代码,是 int 类型,例如 1 代表 public,这些数字代表的含义可以通过Modifier.toString(int)
方法转换为字符串。代码第 13 行通过 Method 的 getReturnType() 方法获得方法返回值类型,然后再调用 getName() 方法返回该类型的名称。代码第 15 行method.getName()
返回方法名称。
本文链接:http://task.lmcjl.com/news/10926.html