Spring-AOP学习笔记
AOP简介
Target(目标对象):代理的目标对象
Proxy(代理):一个类被AOP织入增强后,就产生一个结果代理类
Joinpoint(连接点):指被拦截到的点。在spring中指方法,spring只支持方法类型连接点
Pointcut(切入点):切入点指要对哪些连接点进行拦截的定义
Advice(通知/增强):所谓通知指拦截到Joinpoint之后要做的事
Aspect(切面):切入点和通知的结合
Weaving(织入):指把增强应用到目标对象来创建新的代理对象的过程,spring采用动态代理织入,而Aspect采用编译期织入和类装载期织入
快速入门
配置文件入门
导入AOP相关坐标
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-context</artifactId>
<version>5.3.17</version>
</dependency>
<dependency>
<groupId>org.aspectj</groupId>
<artifactId>aspectjweaver</artifactId>
<version>1.9.9</version>
</dependency>
创建接口和目标类(内部有切点)
public interface TargetInterface {
void save();
}
创建切面类(内部有增强方法)
public class MyAspect {
public void before(){
System.out.println("前置增强....");
}
}
将目标类和切面类的对象创建权交给spring
<!-- 目标对象-->
<bean id="target" class="com.example.aop.Target"></bean>
<!-- 切面-->
<bean id="myAspect" class="com.example.aop.MyAspect"></bean>
配置织入关系
<!-- 配置织入,告诉spring框架,哪些方法需要哪些增强-->
<aop:config>
<!-- 声明切面-->
<aop:aspect ref="myAspect">
<!-- 切面=切点+通知-->
<aop:before method="before" pointcut="execution(public void com.example.aop.Target.save())"/>
</aop:aspect>
</aop:config>
测试
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration("classpath:applicationContext.xml")
public class AopTest {
@Autowired
private TargetInterface target;
@Test
public void test1(){
target.save();
}
}
切点表达式
execution([修饰符]返回类型 包名.类名.方法名(参数))
返回值类型、包名、类名、方法名可以用*代替任意
包名与类名之间一个点代表当前包下类,两个点表示当前包及其子包下的类
参数列表可以用两个点表示任意个数,任意类型的参数列表
切点表达式的抽取
<!-- 配置织入,告诉spring框架,哪些方法需要哪些增强-->
<aop:config>
<!-- 声明切面-->
<aop:aspect ref="myAspect">
<!-- 抽取切点表达式-->
<aop:pointcut id="myPointcut" expression="execution(void com.example.aop.Target.save())"/>
<!-- 切面=切点+通知-->
<aop:before method="before" pointcut-ref="myPointcut"/>
</aop:aspect>
</aop:config>
</beans>
基于注解开发入门
创建接口和目标类(内部有切点)
@Component("target")
public class Target implements TargetInterface {
@Override
public void save() {
System.out.println("save running....");
}
}
创建切面类(内部有增强方法)、将目标类和切面类的对象创建权交给spring、在切面类中使用注解配置织入关系
@Component("myAspect")
@Aspect //标注当前MyAspect是一个切面类
public class MyAspect {
//配置前置增强注解
@Before("execution(void com.example.anno.Target.save())")
public void before(){
System.out.println("前置增强....");
}
public void after(){
System.out.println("后置增强....");
}
}
在配置文件中开启组件扫描和AOP自动代理
<!-- 组件扫描-->
<context:component-scan base-package="com.example.anno"/>
<!-- AOP自动代理-->
<aop:aspectj-autoproxy/>
测试
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration("classpath:applicationContext-anno.xml")
public class AopTest {
@Autowired
private TargetInterface target;
@Test
public void test1(){
target.save();
}
}