在 Spring AOP 中處理異常,您可以使用 @Around
注解創(chuàng)建一個環(huán)繞通知(Around Advice)
pom.xml
文件中添加以下依賴: <groupId>org.springframework</groupId>
<artifactId>spring-aop</artifactId>
<version>5.3.10</version>
</dependency><dependency>
<groupId>org.aspectj</groupId>
<artifactId>aspectjweaver</artifactId>
<version>1.9.7</version>
</dependency>
@Aspect
注解標記它。這個類將包含處理異常的通知方法。import org.aspectj.lang.ProceedingJoinPoint;
import org.aspectj.lang.annotation.Around;
import org.aspectj.lang.annotation.Aspect;
import org.springframework.stereotype.Component;
@Aspect
@Component
public class ExceptionHandlingAspect {
// ...
}
@Around
注解進行標記。此方法將接收一個 ProceedingJoinPoint
參數(shù),表示連接點。在該方法中,您可以編寫處理異常的邏輯。@Around("execution(* com.example.myapp.MyClass.*(..))")
public Object handleExceptions(ProceedingJoinPoint joinPoint) throws Throwable {
try {
// 繼續(xù)執(zhí)行目標方法
return joinPoint.proceed();
} catch (Exception e) {
// 在這里處理異常,例如記錄日志或者重新拋出自定義異常
System.err.println("An exception occurred: " + e.getMessage());
throw new CustomException("An error occurred while executing the method.", e);
}
}
在上面的示例中,我們使用了一個切入點表達式來指定需要處理異常的方法。在這種情況下,我們選擇了 com.example.myapp.MyClass
類中的所有方法。您可以根據(jù)需要修改切入點表達式。
現(xiàn)在,每當目標方法拋出異常時,將執(zhí)行 handleExceptions
方法中的異常處理邏輯。您可以根據(jù)需要自定義此邏輯,例如記錄日志、重試操作或者向上拋出自定義異常。