一、概述
除了使用AspectJ注解声明切面,Spring也支持在bean配置文件中声明切面。这种声明是通过aop名称空间中的XML元素完成的。
正常情况下,基于注解的声明要优先于基于XML的声明。通过AspectJ注解,切面可以与AspectJ兼容,而基于XML的配置则是Spring专有的。由于AspectJ得到越来越多的 AOP框架支持,所以以注解风格编写的切面将会有更多重用的机会。
二、配置
1.在bean配置文件中,所有的Spring AOP配置都必须定义在aop:config元素内部。对于每个切面而言,都要创建一个aop:aspect元素来为具体的切面实现引用后端bean实例。
切面bean必须有一个标识符,供aop:aspect元素引用。
2.声明切入点
1)切入点使用aop:pointcut元素声明。
2)切入点必须定义在aop:aspect元素下,或者直接定义在aop:config元素下。
① 定义在aop:aspect元素下:只对当前切面有效
② 定义在aop:config元素下:对所有切面都有效
3)基于XML的AOP配置不允许在切入点表达式中用名称引用其他切入点。
3.声明通知
1)在aop名称空间中,每种通知类型都对应一个特定的XML元素。
2)通知元素需要使用来引用切入点,或用直接嵌入切入点表达式。
3)method属性指定切面类中通知方法的名称
注:XML配置模式中,通知的执行优先级:前置通知>环绕通知>后置(返回)通知>最终通知
无论XML形势还是注解形式,要想使用cglib代理模式(第三方代理模式),必须在XML中开启cglib代理模式,即
<aop:aspectj-autoproxy proxy-target-class="true"></aop:aspectj-autoproxy>
,因为默认代理模式是jdk,而使用jdk代理模式时,获取对象必须根据接口类型获取,而不能根据实现类获取,而cglib代理模式则既可以根据接口类型获取bean也可以根据实现类类型获取bean
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:aop="http://www.springframework.org/schema/aop"
xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd
http://www.springframework.org/schema/aop http://www.springframework.org/schema/aop/spring-aop-4.0.xsd">
<!-- 计算机实现类(切入点所在的类) -->
<bean id="calculator" class="com.atguigu.dao.Impl.CalculatorImpl"></bean>
<!-- 日志实现类(切面) -->
<bean id="log" class="com.atguigu.aspect.MyLog1"></bean>
<!-- 基于XML配置形式的AOP实现 -->
<aop:config>
<!-- 切入点 -->
<aop:pointcut expression="execution(* *.*(..))" id="pointCut"/>
<!-- 切面类 -->
<aop:aspect ref="log" order="0">
<aop:before method="before" pointcut-ref="pointCut"/>
<aop:after method="after" pointcut-ref="pointCut"/>
<aop:after-returning method="afterReturning" returning="result" pointcut-ref="pointCut"/>
<aop:after-throwing method="afterThrowing" throwing="e" pointcut-ref="pointCut"/>
<aop:around method="around" pointcut-ref="pointCut"/>
</aop:aspect>
<!-- 如果有多个切面,继续增加切面类即可 -->
<!--
<aop:aspect ref="clear" order="1">
</aop:aspect>
-->
</aop:config>
</beans>