Spring-AOP-02

发布时间:2024年01月09日

Spring中的AspectJ切点表达式函数 切点表达式函数就像我们的GPS导航软件。通过切点表达式函数,再配合通配符和逻辑运算符的灵活运用,我们能很好定位到我们需要织入增强的连接点上。

切点表达式
固定语法:execution(切点表达式)
execution的语法表达式如下:execution(<修饰符> <返回类型> <类路径> <方法名>(<参数列表>) <异常模式> ) 其中,修饰符和异常是可选的,如果不加类路径,则默认对所有的类生效。

execution详解:

  1. 通过方法签名、返回值定义切点:
    execution(public * *Service(…)):定位于所有类下返回值任意、方法入参类型、数量任意,public类型的方法
    execution(public String *Service(…)):定位于所有类下返回值为String、方法入参类型、数量任意,public类型的方法
  2. 通过类包定义切点:
    execution(* com.yc.controller.BaseController+.(…)):匹配任意返回类型,对应包下BaseController类及其子类等任意方法。
    execution(
    com..(…)):匹配任意返回类型,com包下所有类的所有方法
    execution(
    com…*.(…)):匹配任意返回类型,com包、子包下所有类的所有方法
    注意.表示该包下所有类,…则涵括其子包。
  3. 通过方法入参定义切点
    这里“*”表示任意类型的一个参数,“…”表示任意类型任意数量的参数
    execution(* speak(Integer,)):匹配任意返回类型,所有类中只有两个入参,第一个入参为Integer,第二个入参任意的方法
    execution(
    speak(…,Integer,…)):匹配任意返回类型,所有类中至少有一个Integer入参,但位置任意的方法。

annotation详解
此注解用于定位标注了某个注解的目标切点。下面我们来看一个模拟用户登录成功后日志记录用户名、时间和调用方法的示例,

自定义注解
@Retention(RetentionPolicy.CLASS)//生命注释保留时长,这里无需反射使用,使用CLASS级别
@Target(ElementType.METHOD)//生命可以使用此注解的元素级别类型(如类、方法变量等)
public @interface NeedRecord {
}

切点表达式的提取:
1.从当前类中提取
2.创建一个存储切点的类,单独维护切点表达式 【推荐】

//MypointCut专门用于维护切点
public class MypointCut {
    @Pointcut("execution(* com.dc.service.impl.*.*(..))")
    public void pc(){}

    @Pointcut("execution(* com..impl.*.*(..))")
    public void myPC(){}
}


//引入MypointCut下的pc()
@Before("com.dc.pointcut.MypointCut.pc()")
    public void start(){
        System.out.println("方法开始了");
    }

环绕通知

//普通方式
@Before("com.dc.pointcut.MypointCut.pc()")
    public void begin() {
        System.out.println("开启事务");
    }

    @AfterReturning("")
    public void commit() {
        System.out.println("事务提交");
    }

    @AfterThrowing()
    public void rollback() {
        System.out.println("事务回滚");
    }


//环绕通知
    @Around("com.dc.pointcut.MypointCut.pc()")
    public Object transaction(ProceedingJoinPoint joinPoint){
        Object[] args = joinPoint.getArgs();
        Object res= null;
        try {
            System.out.println("开启事务");
            res = joinPoint.proceed(args);
            System.out.println("结束事务");
        } catch (Throwable e) {
            System.out.println("事务回滚");
            throw new RuntimeException(e);
        }
        return res;
    }

文章来源:https://blog.csdn.net/qq_53568730/article/details/135422807
本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。