After Throwing Advice
Details as well as Examples covering After Throwing Advice.
After throwing advice is executed after the target method throws an exception. It allows to handle or log exceptions thrown by the method. Some of the use cases are described below.
Exception Logging: It can be used to log exceptions and stack traces to diagnose errors and troubleshoot issues.
Notification on Error: Sending notifications or alerts to administrators or users about unexpected errors.
Resource Cleanup: Releasing resources, such as database connections or file handles, to prevent resource leaks.
Transaction Rollback: Can be used to close open transactions or rolling back database changes in response to exceptions.
Sample Example
Scenario 1: Capturing exception details via AOP
Create Aspect class
package org.example.logging;
import lombok.extern.slf4j.Slf4j;
import org.aspectj.lang.JoinPoint;
import org.aspectj.lang.annotation.AfterThrowing;
import org.aspectj.lang.annotation.Aspect;
import org.springframework.stereotype.Component;
@Slf4j
@Aspect
@Component
public class LoggingAspect {
private static final String AFTER_THROWING_POINTCUT ="execution(* org.example.controller.*.*(..))";
@AfterThrowing(value = AFTER_THROWING_POINTCUT, throwing = "exception")
public void logsErrors(JoinPoint joinPoint, Throwable exception){
// Log the controller name
log.info("AfterThrowing - {}", joinPoint.getSignature().getName());
// Log the exception message
log.info("AfterThrowing - {}", exception.getMessage());
}
}
Create controller class. Assuming. some logic in the method throws exception.
DataApi.java
package org.example.controller;
import lombok.RequiredArgsConstructor;
import lombok.extern.slf4j.Slf4j;
import org.example.Model.InputData;
import org.example.Model.OutputData;
import org.example.service.DataService;
import org.springframework.http.HttpStatus;
import org.springframework.http.ResponseEntity;
import org.springframework.web.bind.annotation.PostMapping;
import org.springframework.web.bind.annotation.RequestBody;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
@Slf4j
@RestController
@RequiredArgsConstructor
@RequestMapping("/data")
public class DataApi {
private final DataService dataService;
@PostMapping("/extract")
public ResponseEntity<OutputData> getData(@RequestBody InputData inputData) {
// Crafting some logic which throws exception
if (inputData != null) {
throw new ArithmeticException("Throwing some exception");
}
log.info("Extracting Data");
return new ResponseEntity<>(
dataService.extractData(inputData),
HttpStatus.OK
);
}
}
Run the application, trigger the API and observe the logs


Last updated
Was this helpful?