动态代理的实现: 步骤:1.所代理的类,一定要有一个"父接口";
2.自己定义一个类,实现InvocationHandler接口,并重写:invoke()方法;
在invoke()方法中,使用Java的反射机制,动态调用所需调用的方法,并增加新的内容;
3.当需要获取某个类的"代理对象"时:
调用:Proxy类中的一个静态方法:newProxyInstance()就能获取某个类的代理对象; public interface IStudent {
public void coding();
}
public class Student implements IStudent {
@Override
public void coding() {
System.out.println("我写代码,我做项目......");
}
}
public class MyHandler implements InvocationHandler {
private Object target;
public MyHandler(Object t){
this.target = t;
}
@Override
public Object invoke(Object proxy, Method method, Object[] args)
throws Throwable {
check();
//调用原用户想调用的方法
//使用反射,去调用
Object result = method.invoke(target, args);//当代理Student对象时,method就代表coding()方法
zj();
return result;
}
private void check(){
System.out.println("先期检查......");
}
private void zj(){
System.out.println("后期总结......");
}
}
public class Demo {
public static void main(String[] args) throws Exception {
// 不使用代理
/*
* IStudent stu = new Student(); stu.coding();
*/
// 使用代理
// 以下方法的调用,获取了一个Student类的代理对象;
IStudent stu = (IStudent) Proxy.newProxyInstance(
Student.class.getClassLoader(), Student.class.getInterfaces(),
new MyHandler(new Student()));
stu.coding();
// 为Teacher生成代理类
ITeacher tea = (ITeacher) Proxy.newProxyInstance(
Teacher.class.getClassLoader(), Teacher.class.getInterfaces(),
new MyHandler(new Teacher()));
tea.teach();
}
}
|