spring AOP切入点不适用于Feign客户端

332nm8kg  于 2024-01-05  发布在  Spring
关注(0)|答案(1)|浏览(272)

在我的项目中,我有一个Feign客户端扩展了从OpenAPI规范生成的API接口:

  1. @FeignClient(name = "customerClient", url = "${spring.microservice.tenant-service-gateway.host}", configuration = FeignConfiguration.class)
  2. public interface CustomerClient extends CustomersApi {
  3. }

字符串
FeignConfiguration引入了500响应代码的重试配置:

  1. @Configuration
  2. @EnableAspectJAutoProxy
  3. public class FeignConfiguration {
  4. @Bean
  5. public Retryer httpResponseCodeRetryer(
  6. @Value("${feign.max-attempt-count}") int retryCount,
  7. @Value("${feign.retry-period-seconds}") int retryPeriod
  8. ) {
  9. return new Retryer.Default(TimeUnit.SECONDS.toMillis(retryPeriod), TimeUnit.SECONDS.toMillis(3L), retryCount);
  10. }
  11. @Bean
  12. public ErrorDecoder httpCodeErrorDecoder() {
  13. return new HttpCodeErrorDecoder();
  14. }
  15. static class HttpCodeErrorDecoder implements ErrorDecoder {
  16. @Override
  17. public Exception decode(String methodKey, Response response) {
  18. var exception = feign.FeignException.errorStatus(methodKey, response);
  19. int status = response.status();
  20. if (status == HttpStatus.INTERNAL_SERVER_ERROR.value()) {
  21. return new RetryableException(
  22. response.status(),
  23. exception.getMessage(),
  24. response.request().httpMethod(),
  25. exception,
  26. null,
  27. response.request());
  28. }
  29. return exception;
  30. }
  31. }
  32. }


我想要的是为202响应代码添加重试功能。为了实现这一点,我添加了这个切入点:

  1. @Aspect
  2. public class AfterReturningExample {
  3. @Around("execution(* com.project.client.CustomerClient.*(..))")
  4. public Object customerClient(ProceedingJoinPoint pjp) throws Throwable {
  5. var proceed = pjp.proceed();
  6. //some logic here
  7. return proceed;
  8. }
  9. }


我尝试通过为CustomersApi的方法添加切入点来解决这个问题,如下所示:

  1. @Around("execution(* com.project.api.CustomersApi+.*(..))")
  2. public Object customerApi(ProceedingJoinPoint pjp) throws Throwable {
  3. var proceed = pjp.proceed();
  4. //some logic here
  5. return proceed;
  6. }

xdnvmnnf

xdnvmnnf1#

如果你的类上只有一个@Aspect,它将不会被检测到,因此不会应用任何东西,因为Spring AOP看不到它。
您可以将@Component添加到您的@Aspect注解类中,这将使其可用于Spring。

  1. @Component
  2. @Aspect
  3. public class AfterReturningExample { ... }

字符串
另一种选择是在@ComponentScan中写入includeFilter,以包含所有用@Aspect注解的类。

  1. @SpringBootApplication
  2. @ComponentScan(includeFilter= { @Filter(type = FilterType.ANNOTATION, value=org.aspectj.lang.annotation.Aspect )}


这样,用@Aspect(而不是@Component)注解的类也将被包括在内。
两种方法都行。

展开查看全部

相关问题