Spring AOP

面向切面编程

AOP 面向切面编程

过预编译方式和运行期动态代理实现程序功能的统一维护的一种技术
AOP采取横向抽取机制,取代了传统纵向继承体系重复性代码
经典应用:事务管理、性能监视、安全检查、缓存 、日志等

实现原理

底层将采用代理机制进行实现 (jdk 的动态代理Proxy / cglib字节码增强)

术语

1
2
3
4
5
通知(advice): 定义切面的工作,有五种类型:前置通知、后置通知、返回通知、异常通知、环绕通知
连接点(Join Point):在应用执行过程中能够插入切面的一个点,即指那些可能被拦截到的方法
切点(PointCut):匹配通知所要织入的一个或多个连接点,即已经被增强的连接点
切面(Aspect):通知和切点的结合
织入(Weaving):把切面应用到目标对象并创建新的代理对象的过程

//其中织入时期分为:编译期(AspectJ)、类加载期(AspectJ5)、运行期(Spring)

Spring对AOP的支持

创建切点来定义切面所织入的连接点
Spring AOP构建在动态代理之上,所以局限于对方法的拦截

切入点表达式

1
2
execution(* com.ljc.dao.*.*(..))
选择方法 返回值任意 包 类名任意 方法名任意 参数任意

基于Xml的配置

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
<aop:config>
<!-- aop:config配置proxy-target-class="true" 时使用cglib代理 -->
<!-- 定义切面 -->
<aop:aspect ref="aspectDemo">
<!-- 定义切点 -->
<aop:pointcut id="mypointcut" expression="execution(* com.ljc.dao.*.*(..))"/>
<!-- 定义通知 -->
<!-- 前置通知 -->
<aop:before method="before" pointcut-ref="mypointcut"/>
<!-- 后置通知 -->
<aop:after method="after" pointcut-ref="mypointcut"/>
<!-- 返回通知 -->
<aop:after-returning method="afterReturning" pointcut-ref="mypointcut"/>
<!-- 异常通知 -->
<aop:after-throwing method="afterThrowing" pointcut-ref="mypointcut"/>
<!-- 环绕通知 -->
<aop:around method="around" pointcut-ref="mypointcut"/>
</aop:aspect>
</aop:config>
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
//切面类
@Component("aspectDemo")
public class AspectDemo {
// Joinpoint参数可选
// 前置通知
public void before() {
System.out.println("方法执行前执行");
}
// 后置通知
public void after() {
System.out.println("方法执行后执行");
}
// 返回通知
public void afterReturning() {
System.out.println("方法执行成功后执行");
}
// 异常通知
public void afterThrowing() {
System.out.println("方法抛出异常执行");
}
// 环绕通知
public void around(ProceedingJoinPoint jp) {
try {
System.out.println("around前");
jp.proceed(); // 执行被通知的方法
System.out.println("around后");
} catch (Throwable e) {
System.out.println("发生异常");
e.printStackTrace();
}
}
}

AspectJ

AspectJ是一个基于Java语言的AOP框架
@AspectJ 是AspectJ1.5新增功能,通过JDK5注解技术,允许直接在Bean类中定义切面
主要用途:自定义开发