春季AOP抛出与围绕建议

2022-09-02 01:30:19

当尝试实现一个Aspect时,它负责捕获和记录某种类型的错误,我最初认为使用AfterThrowing建议这是可能的。然而,他的建议似乎没有抓住异常,而只是提供了一个额外的切入点来做一些例外的事情。

唯一能抓住有问题的异常的建议是AroundAdvice - 要么是这样,要么是我做错了什么。

任何人都可以断言,如果我想抓住异常,我必须使用AroundAdvice?我使用的配置如下:

@Pointcut("execution(* test.simple.OtherService.print*(..))")
public void printOperation() {}

@AfterThrowing(pointcut="printOperation()", throwing="exception")
public void logException(Throwable exception) {
  System.out.println(exception.getMessage());
}

@Around("printOperation()")
public void swallowException(ProceedingJoinPoint pjp) throws Throwable {
  try {
    pjp.proceed();
  } catch (Throwable exception) {
    System.out.println(exception.getMessage());
  }
}

请注意,在此示例中,我捕获了所有异常,因为它只是一个示例。我知道吞下所有异常是不好的,但是对于我当前的用例,我希望只记录一种特殊类型的异常,同时避免重复的日志记录逻辑。


答案 1

春季参考文档说:

“在引发建议后,当匹配的方法执行通过引发异常退出时运行”

到那时,捕获异常为时已晚,因为它已被抛出并且方法已退出。您对@Around建议采取的方法是在方法退出之前实际捕获异常并对其进行处理的唯一方法。


答案 2

实际上,在AfterThrowing建议中也可以捕获异常。我知道这是一个复杂的例子,但它有效。

@Aspect
@Component
class MyAspect {

    @Autowired
    public Worker worker;

    @Pointcut(value = "execution(public * com.ex*..*.*(..))")
    public void matchingAll(){}

    @AfterThrowing(pointcut = "matchingAll()", throwing = "e")
    public void myAdvice(RuntimeException e){
        Thread.setDefaultUncaughtExceptionHandler((t, e1) -> 
                System.out.println("Caught " + e1.getMessage()));
        System.out.println("Worker returned " + worker.print());
    }
}

@Component
class Worker {

    public static int value = 0;

    public int print() {
        if (value++ == 0) {
            System.out.println("Throwing exception");
            throw new RuntimeException("Hello world");
        } else {
            return value;
        }
    }
}

@SpringBootApplication
@EnableAspectJAutoProxy
public class AdvicesDemo {

    public static void main(String[] args) {
        final ConfigurableApplicationContext applicationContext = SpringApplication.run(AdvicesDemo.class);
        final Worker worker = applicationContext.getBean(Worker.class);
        System.out.println("Worker returned " + worker.print());
        System.out.println("All done");
    }
}

如您所见,它更多的是如何捕获最初引发的异常,从而防止其传播回调用方。

GitHub 上的工作示例(查看 com.example.advices package)


推荐