public class FieldTest {
@Test
public void test1(){
Class clazz = Person.class;
//getMethods()获取当前运行时类及其所有父类(包括Object)中声明为public的方法
Method[] methods = clazz.getMethods();
for(Method m:methods){
System.out.println(m);
}
System.out.println();
//getDeclaredMethods(),获取当前运行时类中声明的所有方法(不包含父类中声明的方法)
Method[] declaredMethods = clazz.getDeclaredMethods();
for(Method m:declaredMethods){
System.out.println(m);
}
}
}
获取运行时类的方法的内部结构
方法的结构:权限修饰符,返回值类型,方法名,参数类型,形参名,throws的异常
权限修饰符的上面可能会有注解
只有RUNTIME才可以获取注解
自定义注解MyAnnotation为:
@Target({TYPE, FIELD, METHOD, PARAMETER, CONSTRUCTOR, LOCAL_VARIABLE})
@Retention(RetentionPolicy.RUNTIME)
public @interface MyAnnotation {
String value() default "hello";
}
Person类中的方法:
@MyAnnotation
private String show(String nation){
System.out.println("我的国籍是:"+nation);
return nation;
}
获取运行类的方法的内部结构
public class FieldTest {
@Test
public void test1(){
Class clazz = Person.class;
//获取注解是针对所有方法的
Method[] declaredMethods = clazz.getDeclaredMethods();
for(Method m:declaredMethods){
//1.获取方法声明的注解
//方法上可以声明多个注解
Annotation[] annotations = m.getAnnotations();
for(Annotation a:annotations){
System.out.println(a);//如果没有注解,控制台就不会输出任何东西
//通常用注解一般都会在反射中进行获取,声明为RUNTIME的注解才可以获取
//很多注解都在运行时起到一定功能
}
//2.权限修饰符
int modifiers = m.getModifiers();
System.out.print(Modifier.toString(modifiers)+"\t");
//3.返回值类型
System.out.print(m.getReturnType().getName()+"\t");
//4.方法名
System.out.print(m.getName());
System.out.print("(");
//5.形参列表
Class[] parameterTypes = m.getParameterTypes();
if(!(parameterTypes==null&¶meterTypes.length==0)){
//有形参
for(int i=0;i<parameterTypes.length;i++){
if(i==parameterTypes.length-1){
System.out.print(parameterTypes[i].getName()+" args_ "+i);
break;
}
System.out.print(parameterTypes[i].getName()+" args_ "+i+",");
}
}
System.out.print(")");
//6.抛出的异常,如果抛异常,要加throws
//下面的程序不能分出程序抛不抛异常,所有的输出中都有throws
// Class[] exceptionTypes = m.getExceptionTypes();
// if(!(exceptionTypes==null&&exceptionTypes.length==0)){
// //有异常
// System.out.print("throws ");
// for (int i = 0; i < exceptionTypes.length; i++) {
// if (i == exceptionTypes.length - 1) {
// System.out.print(exceptionTypes[i].getName());
// break;
// }
// System.out.print(exceptionTypes[i].getName()+",");
// }
// }
//正确写法
Class[] exceptionTypes = m.getExceptionTypes();
if(exceptionTypes.length>0){
//有异常
System.out.print("throws ");
for (int i = 0; i < exceptionTypes.length; i++) {
if (i == exceptionTypes.length - 1) {
System.out.print(exceptionTypes[i].getName());
break;
}
System.out.print(exceptionTypes[i].getName()+",");
}
}
System.out.println();
}
}
}
输出结果为:
public int compareTo(java.lang.String args_ 0)
public volatile int compareTo(java.lang.Object args_ 0)
public void info()
public java.lang.String display(java.lang.String args_ 0,int args_ 1)throws java.lang.NullPointerException,java.lang.ArithmeticException
@test.MyAnnotation(value=hello)
private java.lang.String show(java.lang.String args_ 0)