Spring在近几年是一个非常流行的技术,其中的AOP的思想更是将spring推向了巅峰,有了AOP的思想我们在解决一些比较复杂的时候会变得比较简单,比如我们项目中的错误处理,权限控制等。下面小编会写几篇博客来总结一下AOP中的一些点,在这篇博客中主要介绍几个比较重要的概念,我们从一个比较原始的例子开始引出几个概念。
项目的目录结构
在PersonDao接口中就有一个简单的方法savePerson(),PersonDaoImpl实现PersonDao接口;
package com.itheima11.spring.proxy;
public class PersonDaoImpl implements PersonDao{
public void savePerson() {
System.out.println("save person");
}
}
Transaction类模拟事务的控制:
package com.itheima11.spring.proxy;
public class Transaction {
public void beginTransaction(){
System.out.println("begin transaction");
}
public void commit(){
System.out.println("commit");
}
}
核心类MyInterceptor实现AOP思想:
package com.itheima11.spring.proxy;
import Java.lang.reflect.InvocationHandler;
import java.lang.reflect.Method;
/**
* 1、引入personDao和Transaction 2、完成invoke方法
*
* @author 郑浩
*
*/
public class MyInterceptor implements InvocationHandler {
private Object target;
private Transaction transaction;
public MyInterceptor(Object target, Transaction transaction) {
this.target = target;
this.transaction = transaction;
}
public Object invoke(Object proxy, Method method, Object[] args) throws Throwable {
if (method.getName().equals("savePerson") || method.getName().equals("updatePerson")) {
this.transaction.beginTransaction();
method.invoke(this.target, args);// 调用目标类的目标方法
this.transaction.commit();
} else {
method.invoke(this.target, args);// 调用目标类的目标方法
}
return null;
}
}
客户端类:
package com.itheima11.spring.proxy;
import java.lang.reflect.Proxy;
import org.junit.Test;
/*
*
* 问题:
* 1、拦截器中的invoke方法在什么时候被调用的
* 在代理对象调用方法的时候,进入了拦截器中的invoke方法
* 2、拦截器中的method参数是什么?在什么时候由实参传递给形参的
* 代理对象的方法的名称是什么,method参数就是什么
* 代理对象调用方法的时候,进入了拦截器中的invoke方法,这个时候,传递参数
* 3、生成的代理对象实现了接口,代理对象的方法体的内容是什么?
* 方法体的内容就是拦截器中的invoke方法体的内容
*/
/**
* jdkproxy的优点
* 动态的产生代理对象,所以只需要用一个拦截器就可以了
* jdkproxy的缺点
* 如果在invoke方法中做事务的判断,将是一件很复杂的事情
* 程序员还是写拦截器了,写拦截器中的invoke方法了,所以invoke方法还需要修改
*
* 说明:
* 目标类和代理类实现了共同的接口
* @author 郑浩
*
*/
public class ProxyTest {
@Test
public void testProxy(){
PersonDao target = new PersonDaoImpl();
Transaction transaction = new Transaction();
MyInterceptor interceptor = new MyInterceptor(target, transaction);
/**
* 第一个参数 目标类的类加载器
* 第二个参数 目标类实现的所有的接口
* 第三个参数 拦截器
*/
PersonDao personDao = (PersonDao)Proxy.newProxyInstance(target.getClass().getClassLoader(),
target.getClass().getInterfaces(), interceptor);
personDao.savePerson();
}
}
上面的小Demo实现了AOP思想下的事务控制问题,也就是我们在对调用savePerson()方法的时候先开启事务,在操作完成以后,执行事务提交方法。但是目标类personDao和事务控制类Transaction彻底分离,两者互相不知道对方的存在,通过拦截器myInterceptor将两者连接起来。