Spring AOP执行-使用特定参数注解和类型匹配方法

zzoitvuj  于 2023-04-10  发布在  Spring
关注(0)|答案(1)|浏览(147)

给定以下方法:

  1. public void doSth(@AnnotationA @AnnotationB SomeType param) {
  2. ...do sth...
  3. }

和@Aspect,并提供以下@Around建议:

  1. @Around("execution(* *(.., @com.a.b.AnnotationA (*), ..))")

有没有可能修改上面的表达式,以匹配一个带有@AnnotationASomeType类型注解的参数的方法,并通配符任何介于这两者之间和AnnotationA之前的参数?
类似于(* @com.a.b.AnnotationA * SomeType),因此将匹配以下方法:

  1. doSth(@AnnotationA @AnnotationB SomeType param)
  2. doSth(@AnnotationB @AnnotationA SomeType param)
  3. doSth(@AnnotationA SomeType param)

先谢谢你了。

vhipe2zx

vhipe2zx1#

辅助类:

  1. package de.scrum_master.app;
  2. public class SomeType {}
  1. package de.scrum_master.app;
  2. import static java.lang.annotation.RetentionPolicy.RUNTIME;
  3. import java.lang.annotation.Retention;
  4. @Retention(RUNTIME)
  5. public @interface AnnotationA {}
  1. package de.scrum_master.app;
  2. import static java.lang.annotation.RetentionPolicy.RUNTIME;
  3. import java.lang.annotation.Retention;
  4. @Retention(RUNTIME)
  5. public @interface AnnotationB {}

驱动应用:

  1. package de.scrum_master.app;
  2. public class Application {
  3. public static void main(String[] args) {
  4. Application application = new Application();
  5. SomeType someType = new SomeType();
  6. application.one(11, someType, "x");
  7. application.two(someType, new Object());
  8. application.three(12.34D, someType);
  9. application.four(22, someType, "y");
  10. application.five(56.78D, someType);
  11. }
  12. // These should match
  13. public void one(int i, @AnnotationA @AnnotationB SomeType param, String s) {}
  14. public void two(@AnnotationB @AnnotationA SomeType param, Object o) {}
  15. public void three(double d, @AnnotationA SomeType param) {}
  16. // These should not match
  17. public void four(int i, @AnnotationB SomeType param, String s) {}
  18. public void five(double d, SomeType param) {}
  19. }

方面:

  1. package de.scrum_master.aspect;
  2. import org.aspectj.lang.JoinPoint;
  3. import org.aspectj.lang.annotation.Aspect;
  4. import org.aspectj.lang.annotation.Before;
  5. @Aspect
  6. public class MyAspect {
  7. @Before("execution(* *(.., @de.scrum_master.app.AnnotationA (de.scrum_master.app.SomeType), ..))")
  8. public void intercept(JoinPoint joinPoint) {
  9. System.out.println(joinPoint);
  10. }
  11. }

控制台日志:

  1. execution(void de.scrum_master.app.Application.one(int, SomeType, String))
  2. execution(void de.scrum_master.app.Application.two(SomeType, Object))
  3. execution(void de.scrum_master.app.Application.three(double, SomeType))
展开查看全部

相关问题