spring之基于注解的AOP开发08
程序员文章站
2022-05-23 15:06:49
...
spring之基于注解的AOP开发08
配置spring开启AOP注解的支持
可以在bean.xml中配置也可以使用注解开启spring对AOP注解的支持
bean.xml:
<?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"
xmlns:context="http://www.springframework.org/schema/context"
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.xsd
http://www.springframework.org/schema/context
http://www.springframework.org/schema/context/spring-context.xsd
">
<!-- 配置spring创建容器时要扫描的包-->
<context:component-scan base-package="cn.itcast"></context:component-scan>
<!-- 配置spring创开启AOP注解的支持-->
<aop:aspectj-autoproxy></aop:aspectj-autoproxy>
</beans>
将四大通知采用注解的形式配置
Logger:
package cn.itcast.utils;
import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.*;
import org.springframework.stereotype.Component;
@Component
@Aspect//表示当前类是一个切面类
public class Logger {
@Pointcut("execution(public void cn.itcast.service.impl.AccountServiceImpl.saveAccount())")
private void pt1(){
}
/**
* 前置通知
*/
// @Before("pt1()")
public void beforePringLog() {
System.out.println("前置通知开始记录日志了...");
}
/**
* 后置通知
*/
// @AfterReturning("pt1()")
public void afterRuningPringLog() {
System.out.println("后置通知开始记录日志了...");
}
/**
* 异常通知
*/
// @AfterThrowing("pt1()")
public void afterThrowingPringLog() {
System.out.println("异常通知开始记录日志了...");
}
/**
* 最终通知
*/
// @After("pt1()")
public void afterPringLog() {
System.out.println("最终通知开始记录日志了...");
}
/**
* 环绕通知
*/
@Around("pt1()")//当环绕通知开启时,其他的四大通知都不能在使用
public Object arountdPrintLog(ProceedingJoinPoint pjp) {
Object rtValue = null;
Object[] args = pjp.getArgs();//得到方法执行所需的参数
try {
System.out.println("环绕通知开始记录日志了...前置");
rtValue = pjp.proceed(args);
System.out.println("环绕通知开始记录日志了...后置");
return rtValue;
} catch (Throwable throwable) {
System.out.println("环绕通知开始记录日志了...异常");
throwable.printStackTrace();
} finally {
System.out.println("环绕通知开始记录日志了...最终");
}
return rtValue;
}
}
注意:
当环绕通知开启时,其他的四大通知都不能在使用