java反射与获取方法相关的代码练习

package com.hpe.reflect;

import java.lang.reflect.Constructor;
import java.lang.reflect.Field;
import java.lang.reflect.Method;

import org.junit.Test;

public class TestMethod {
    // 获取运行时类中的方法
	@Test
	public void test1() {
		Class clazz = Person.class;
		// 1.getMethods()获取运行时类及其父类中声明为public的方法
		Method[] ms = clazz.getMethods();
		for (Method m : ms) {
			System.out.println(m);
		}
		System.out.println("-----------------------");
		// 2.getDeclaredMethods():获取运行时类本身声明的所有方法
		Method[] ms1 = clazz.getDeclaredMethods();
		for (Method m : ms1) {
			System.out.println(m);
		}
	}
	// 调用运行时类指定的方法
	@Test
	public void test2() throws Exception {
		Class<Person> clazz = Person.class;
		// 创建运行时类的对象
		Person p = (Person)clazz.newInstance();
		// 获取属性
		Field f_name = clazz.getField("name");
		f_name.set(p, "jack");
		Field f_age = clazz.getDeclaredField("age");
		// 设置属性
		f_age.setAccessible(true);
		f_age.set(p, 20);
		
		// 1.获取运行时类中声明为public的方法
		Method m1 = clazz.getMethod("show");
		// 调用方法invoke(指定对象,方法的参数)
		m1.invoke(p);
		// 2.调用有返回值的方法
		Method m2 = clazz.getMethod("toString");
		Object returnV2 = m2.invoke(p);
		System.out.println(returnV2);
		// 3.调用运行时类的静态方法
		Method m3 = clazz.getMethod("info");
		//m3.invoke(p);
		m3.invoke(Person.class);
		// 4.调用带参数的方法
		// 获取运行时类中所有的方法getDeclaredMethod()
		Method m4 = clazz.getDeclaredMethod("display", String.class);
		// 调用方法的同时指定传入的参数值
		m4.invoke(p, "China");
	}
	// 调用有参数的构造器创建运行时类的对象,调用相关的方法
	@Test
	public void test3() throws Exception {
		Class<Person> clazz = Person.class;
		// 得到有参数的构造器
		Constructor<Person> con = clazz.getConstructor(String.class,int.class);
		// 通过有参的构造器创建运行时类的实例
		Person p = con.newInstance("rose",18);
		Method m1 = clazz.getMethod("display", String.class);
		m1.invoke(p, "Japan");
		
	}
}