Spring Retry机制详解

介绍

Spring框架提供了Spring Retry能让在项目工程中很方便的使用重试。

使用

1、引入pom

        <dependency><groupId>org.springframework.retry</groupId><artifactId>spring-retry</artifactId><version>1.3.2</version></dependency>

2、启用retry

Configuration上加 @EnableRetry

3、示例


@Service
public class RetryService {private int times = 0;private Instant begin = null;@Retryable(value = BizException.class, maxAttempts = 3,backoff= @Backoff(value = 1500, maxDelay = 10000, multiplier = 2))public void service() {Instant instant = Instant.now();if(begin == null){begin = instant;}times++;System.out.println(StrUtil.format(" call times: {} at {}. ", times, begin.until(instant, ChronoUnit.MILLIS) ));if (times < 5) {throw new BizException(StrUtil.format(" call times: {}  error. ", times));}}@Recoverpublic void recover(BizException e){System.out.println("service retry after Recover => " + e.getMessage());}}
    @PostMapping(value = "/retry")public R retry() {try {retryService.service();} catch (Exception ex) {ex.printStackTrace();return R.fail(ex.getMessage());}return R.ok();}

输出:

 call times: 1 at 0.                  #第1次调用call times: 2 at 1504.               #重试第1次 ,间隔 1.5 * 2 call times: 3 at 4506.               #重试第2次 ,间隔 
service retry after Recover =>  call times: 3  error.   # recover

重试次数改为7 ,输出:

 call times: 1 at 0. call times: 2 at 1506.       # value = 1.5  ,第1 次间隔call times: 3 at 4507.       # 第2次间隔 1.5 * 2 = 3 call times: 4 at 10508.   # 第3次,1.5 * 2 * 2 = 6   call times: 5 at 20509.   #最大延迟就是10call times: 6 at 30511. call times: 7 at 40512. 

4、注解说明

@Target({ ElementType.METHOD, ElementType.TYPE })
@Retention(RetentionPolicy.RUNTIME)
@Documented
public @interface Retryable {/**  recover 方法名 */String recover() default "";/** 自定义 interceptor  bean name */String interceptor() default "";Class<? extends Throwable>[] value() default {};Class<? extends Throwable>[] include() default {};Class<? extends Throwable>[] exclude() default {};/** 统计报表 唯一 label  */String label() default "";boolean stateful() default false;int maxAttempts() default 3;/** maxAttempts 表达式,spel 表达式,例如: ${retry.attempts:5}  */String maxAttemptsExpression() default "";Backoff backoff() default @Backoff();/**1、直接使用 异常的属性。message.contains('you can retry this')2、其他方法判断:格式#{@bean.methodName(#root)}。methodName的返回值为boolean类型。#root是异常类,即用户可以在代码中判断是否进行重试*/String exceptionExpression() default "";String[] listeners() default {};}
  • @EnableRetry:启用重试,proxyTargetClass属性为true时(默认false),使用CGLIB代理。

  • @Retryable:标记当前方法会使用重试机制。

    • value:指定抛出那些异常才会触发重试(可以配置多个异常类型) 默认为空。
    • include:就是value,默认为空,当exclude也为空时,默认所有异常都可以触发重试
    • exclude:指定哪些异常不触发重试(可以配置多个异常类型),默认为空
    • maxAttempts:最大重试次数,默认3次(包括第一次调用)
    • backoff:重试等待策略 默认使用@Backoff注解
  • @Backoff:重试回退策略(立即重试还是等待一会再重试)

    • value: 重试的间隔时间(毫秒),默认为1000L
    • delayvalue的别名
    • maxDelay:重试次数之间的最大时间间隔,默认为0,如果小于delay的设置,则默认为30000L
    • multiplierdelay时间的间隔倍数,默认为0,表示固定暂停1秒后进行重试,如果把multiplier设置为1.5,则第一次重试为2秒,第二次为3秒,第三次为4.5秒。
  • 不设置参数时,默认使用FixedBackOffPolicy(固定时间等待策略),重试等待1000ms
  • 只设置delay时,使用FixedBackOffPolicy,重试等待指定的毫秒数
  • 当设置delaymaxDealy时,重试等待在这两个值之间均态分布
  • 设置delaymaxDealymultiplier时,使用ExponentialBackOffPolicy(倍数等待策略)
  • 当设置multiplier不等于0时,同时也设置了random时,使用ExponentialRandomBackOffPolicy(随机倍数等待策略),从 [1, multiplier-1] 中的均匀分布中为每个延迟选择乘数
  • @Recover标记方法为@Retryable失败时的“兜底”处理方法
  • 传参与@Retryable的配置的value必须一样。
  • @Recover的标记方法的参数必须要与@Retryable注解value “形参”保持一致,第一入参为要重试的异常(一定要是@Retryable方法里抛出的异常或者异常父类),其他参数与@Retryable保持一致,返回值也要一样,否则无法执行!
  • @CircuitBreaker:用于标记方法,实现熔断模式
    • include 指定处理的异常类。默认为空
    • exclude指定不需要处理的异常。默认为空
    • vaue指定要重试的异常。默认为空
    • maxAttempts 最大重试次数。默认3次
    • openTimeout 配置熔断器打开的超时时间,默认5s,当超过openTimeout之后熔断器电路变成半打开状态(只要有一次重试成功,则闭合电路)
    • resetTimeout 配置熔断器重新闭合的超时时间,默认20s,超过这个时间断路器关闭

注意事项

  • 使用了@Retryable注解的方法直接实例化调用不会触发重试,要先将实现类实例化到Spring容器中,然后通过注入等方式使用

  • Spring-Retry是通过捕获异常的方式来触发重试的,@Retryable标注方法产生的异常不能使用try-catch捕获,要在方法上抛出异常,不然不会触发重试

  • 查询可以进行重试,写操作要慎重,除非业务方支持重入

原理

引入

@EnableRetry注解,引入Retry能力,导入了RetryConfiguration类。

@Target(ElementType.TYPE)
@Retention(RetentionPolicy.RUNTIME)
@EnableAspectJAutoProxy(proxyTargetClass = false)
@Import(RetryConfiguration.class)
@Documented
public @interface EnableRetry {boolean proxyTargetClass() default false;}
@Component
public class RetryConfiguration extends AbstractPointcutAdvisorimplements IntroductionAdvisor, BeanFactoryAware, InitializingBean {private Advice advice;					//private Pointcut pointcut;private RetryContextCache retryContextCache;private List<RetryListener> retryListeners;private MethodArgumentsKeyGenerator methodArgumentsKeyGenerator;private NewMethodArgumentsIdentifier newMethodArgumentsIdentifier;private Sleeper sleeper;private BeanFactory beanFactory;@Overridepublic ClassFilter getClassFilter() {return this.pointcut.getClassFilter();}@Overridepublic Class<?>[] getInterfaces() {return new Class[] { org.springframework.retry.interceptor.Retryable.class };}@Overridepublic void validateInterfaces() throws IllegalArgumentException {}}

RetryConfiguration 继承 AbstractPointcutAdvisor,实现了 IntroductionAdvisor,它有一个pointcut和一个advice,在IOC过程中会根据PointcutAdvisor类来对Bean进行Pointcut的过滤,然后生成对应的AOP代理类,用advice来加强处理。

初始化

afterPropertiesSet方法进行初始化。

	@Overridepublic void afterPropertiesSet() throws Exception {//RetryContextCachethis.retryContextCache = findBean(RetryContextCache.class);this.methodArgumentsKeyGenerator = findBean(MethodArgumentsKeyGenerator.class);this.newMethodArgumentsIdentifier = findBean(NewMethodArgumentsIdentifier.class);//RetryListenerthis.retryListeners = findBeans(RetryListener.class);this.sleeper = findBean(Sleeper.class);Set<Class<? extends Annotation>> retryableAnnotationTypes = new LinkedHashSet<Class<? extends Annotation>>(1);//注解为  RetryableretryableAnnotationTypes.add(Retryable.class);//构造 pointcutthis.pointcut = buildPointcut(retryableAnnotationTypes);//构造 advicethis.advice = buildAdvice();if (this.advice instanceof BeanFactoryAware) {((BeanFactoryAware) this.advice).setBeanFactory(this.beanFactory);}}

buildPointcut 和 buildAdvice

	protected Pointcut buildPointcut(Set<Class<? extends Annotation>> retryAnnotationTypes) {ComposablePointcut result = null;for (Class<? extends Annotation> retryAnnotationType : retryAnnotationTypes) {//根据 注解,构造 PointcutPointcut filter = new AnnotationClassOrMethodPointcut(retryAnnotationType);if (result == null) {result = new ComposablePointcut(filter);}else {result.union(filter);}}return result;}protected Advice buildAdvice() {//构造一个  AnnotationAwareRetryOperationsInterceptorAnnotationAwareRetryOperationsInterceptor interceptor = new AnnotationAwareRetryOperationsInterceptor();if (this.retryContextCache != null) {interceptor.setRetryContextCache(this.retryContextCache);}if (this.retryListeners != null) {interceptor.setListeners(this.retryListeners);}if (this.methodArgumentsKeyGenerator != null) {interceptor.setKeyGenerator(this.methodArgumentsKeyGenerator);}if (this.newMethodArgumentsIdentifier != null) {interceptor.setNewItemIdentifier(this.newMethodArgumentsIdentifier);}if (this.sleeper != null) {interceptor.setSleeper(this.sleeper);}return interceptor;}

pointcut

private final class AnnotationClassOrMethodPointcut extends StaticMethodMatcherPointcut {private final MethodMatcher methodResolver;AnnotationClassOrMethodPointcut(Class<? extends Annotation> annotationType) {this.methodResolver = new AnnotationMethodMatcher(annotationType);setClassFilter(new AnnotationClassOrMethodFilter(annotationType));}@Overridepublic boolean matches(Method method, Class<?> targetClass) {return getClassFilter().matches(targetClass) || this.methodResolver.matches(method, targetClass);}@Overridepublic boolean equals(Object other) {if (this == other) {return true;}if (!(other instanceof AnnotationClassOrMethodPointcut)) {return false;}AnnotationClassOrMethodPointcut otherAdvisor = (AnnotationClassOrMethodPointcut) other;return ObjectUtils.nullSafeEquals(this.methodResolver, otherAdvisor.methodResolver);}}private final class AnnotationClassOrMethodFilter extends AnnotationClassFilter {private final AnnotationMethodsResolver methodResolver;AnnotationClassOrMethodFilter(Class<? extends Annotation> annotationType) {super(annotationType, true);this.methodResolver = new AnnotationMethodsResolver(annotationType);}@Overridepublic boolean matches(Class<?> clazz) {// 类的方法上 标记了指定注解。return super.matches(clazz) || this.methodResolver.hasAnnotatedMethods(clazz);}}private static class AnnotationMethodsResolver {private Class<? extends Annotation> annotationType;public AnnotationMethodsResolver(Class<? extends Annotation> annotationType) {this.annotationType = annotationType;}public boolean hasAnnotatedMethods(Class<?> clazz) {final AtomicBoolean found = new AtomicBoolean(false);//遍历所有的方法,ReflectionUtils.doWithMethods(clazz, new MethodCallback() {@Overridepublic void doWith(Method method) throws IllegalArgumentException, IllegalAccessException {if (found.get()) {return;}//method 有注解。Annotation annotation = AnnotationUtils.findAnnotation(method,AnnotationMethodsResolver.this.annotationType);if (annotation != null) {found.set(true);}}});return found.get();}}

AnnotationAwareRetryOperationsInterceptor

buildAdvice()方法会构造一个AnnotationAwareRetryOperationsInterceptor 实例。用于做增强操作。

public class AnnotationAwareRetryOperationsInterceptor implements IntroductionInterceptor, BeanFactoryAware {private static final TemplateParserContext PARSER_CONTEXT = new TemplateParserContext();private static final SpelExpressionParser PARSER = new SpelExpressionParser();private static final MethodInterceptor NULL_INTERCEPTOR = new MethodInterceptor() {@Overridepublic Object invoke(MethodInvocation methodInvocation) throws Throwable {throw new OperationNotSupportedException("Not supported");}};private final StandardEvaluationContext evaluationContext = new StandardEvaluationContext();//用于缓存每个object的用于 增强的方法。private final ConcurrentReferenceHashMap<Object, ConcurrentMap<Method, MethodInterceptor>> delegates = new ConcurrentReferenceHashMap<Object, ConcurrentMap<Method, MethodInterceptor>>();private RetryContextCache retryContextCache = new MapRetryContextCache();private MethodArgumentsKeyGenerator methodArgumentsKeyGenerator;private NewMethodArgumentsIdentifier newMethodArgumentsIdentifier;private Sleeper sleeper;private BeanFactory beanFactory;private RetryListener[] globalListeners;}
invoke
	@Overridepublic Object invoke(MethodInvocation invocation) throws Throwable {//构造代理MethodInterceptor delegate = getDelegate(invocation.getThis(), invocation.getMethod());if (delegate != null) {return delegate.invoke(invocation);}else {return invocation.proceed();}}private MethodInterceptor getDelegate(Object target, Method method) {//缓存ConcurrentMap<Method, MethodInterceptor> cachedMethods = this.delegates.get(target);if (cachedMethods == null) {cachedMethods = new ConcurrentHashMap<Method, MethodInterceptor>();}MethodInterceptor delegate = cachedMethods.get(method);if (delegate == null) {MethodInterceptor interceptor = NULL_INTERCEPTOR;//获取方法的 Retryable 注解。Retryable retryable = AnnotatedElementUtils.findMergedAnnotation(method, Retryable.class);if (retryable == null) {//父类?retryable = AnnotatedElementUtils.findMergedAnnotation(method.getDeclaringClass(), Retryable.class);}if (retryable == null) {//在类上查找retryable = findAnnotationOnTarget(target, method, Retryable.class);}if (retryable != null) {//如果有 interceptor,则直接使用if (StringUtils.hasText(retryable.interceptor())) {interceptor = this.beanFactory.getBean(retryable.interceptor(), MethodInterceptor.class);}else if (retryable.stateful()) {interceptor = getStatefulInterceptor(target, method, retryable);}else {interceptor = getStatelessInterceptor(target, method, retryable);}}cachedMethods.putIfAbsent(method, interceptor);delegate = cachedMethods.get(method);}this.delegates.putIfAbsent(target, cachedMethods);return delegate == NULL_INTERCEPTOR ? null : delegate;}
getStatefulInterceptor 和 getStatelessInterceptor
	private MethodInterceptor getStatelessInterceptor(Object target, Method method, Retryable retryable) {//生成一个RetryTemplateRetryTemplate template = createTemplate(retryable.listeners());//生成retryPolicy  template.setRetryPolicy(getRetryPolicy(retryable));//生成backoffPolicy template.setBackOffPolicy(getBackoffPolicy(retryable.backoff()));//RetryOperationsInterceptorreturn RetryInterceptorBuilder.stateless().retryOperations(template).label(retryable.label()).recoverer(getRecoverer(target, method)).build();}private MethodInterceptor getStatefulInterceptor(Object target, Method method, Retryable retryable) {RetryTemplate template = createTemplate(retryable.listeners());template.setRetryContextCache(this.retryContextCache);//CircuitBreaker circuit = AnnotatedElementUtils.findMergedAnnotation(method, CircuitBreaker.class);if (circuit == null) {circuit = findAnnotationOnTarget(target, method, CircuitBreaker.class);}if (circuit != null) {RetryPolicy policy = getRetryPolicy(circuit);CircuitBreakerRetryPolicy breaker = new CircuitBreakerRetryPolicy(policy);breaker.setOpenTimeout(getOpenTimeout(circuit));breaker.setResetTimeout(getResetTimeout(circuit));template.setRetryPolicy(breaker);template.setBackOffPolicy(new NoBackOffPolicy());String label = circuit.label();if (!StringUtils.hasText(label)) {label = method.toGenericString();}return RetryInterceptorBuilder.circuitBreaker().keyGenerator(new FixedKeyGenerator("circuit")).retryOperations(template).recoverer(getRecoverer(target, method)).label(label).build();}RetryPolicy policy = getRetryPolicy(retryable);template.setRetryPolicy(policy);template.setBackOffPolicy(getBackoffPolicy(retryable.backoff()));String label = retryable.label();return RetryInterceptorBuilder.stateful().keyGenerator(this.methodArgumentsKeyGenerator).newMethodArgumentsIdentifier(this.newMethodArgumentsIdentifier).retryOperations(template).label(label).recoverer(getRecoverer(target, method)).build();}

RetryOperationsInterceptor

invoke
@Overridepublic Object invoke(final MethodInvocation invocation) throws Throwable {String name;if (StringUtils.hasText(this.label)) {name = this.label;}else {name = invocation.getMethod().toGenericString();}final String label = name;// RetryCallback,主要调用了invocation的proceed()方法RetryCallback<Object, Throwable> retryCallback = new MethodInvocationRetryCallback<Object, Throwable>(invocation, label) {@Overridepublic Object doWithRetry(RetryContext context) throws Exception {context.setAttribute(RetryContext.NAME, this.label);/** If we don't copy the invocation carefully it won't keep a reference to* the other interceptors in the chain. We don't have a choice here but to* specialise to ReflectiveMethodInvocation (but how often would another* implementation come along?).*/if (this.invocation instanceof ProxyMethodInvocation) {context.setAttribute("___proxy___", ((ProxyMethodInvocation) this.invocation).getProxy());try {return ((ProxyMethodInvocation) this.invocation).invocableClone().proceed();}catch (Exception e) {throw e;}catch (Error e) {throw e;}catch (Throwable e) {throw new IllegalStateException(e);}}else {throw new IllegalStateException("MethodInvocation of the wrong type detected - this should not happen with Spring AOP, "+ "so please raise an issue if you see this exception");}}};// recovererif (this.recoverer != null) {ItemRecovererCallback recoveryCallback = new ItemRecovererCallback(invocation.getArguments(),  // 真实调用的 参数this.recoverer);try {Object recovered = this.retryOperations.execute(retryCallback, recoveryCallback);return recovered;}finally {RetryContext context = RetrySynchronizationManager.getContext();if (context != null) {context.removeAttribute("__proxy__");}}}//最终还是进入到retryOperations的execute方法,这个retryOperations就是在之前的builder set进来的RetryTemplate。 return this.retryOperations.execute(retryCallback);}
private static final class ItemRecovererCallback implements RecoveryCallback<Object> {private final Object[] args;private final MethodInvocationRecoverer<?> recoverer;/*** @param args the item that failed.*/private ItemRecovererCallback(Object[] args, MethodInvocationRecoverer<?> recoverer) {this.args = Arrays.asList(args).toArray();this.recoverer = recoverer;}@Overridepublic Object recover(RetryContext context) {// this.argsreturn this.recoverer.recover(this.args, context.getLastThrowable());}}

无论是RetryOperationsInterceptor还是StatefulRetryOperationsInterceptor,最终的拦截处理逻辑还是调用到RetryTemplateexecute方法,从名字也看出来,RetryTemplate作为一个模板类,里面包含了重试统一逻辑。

RetryTemplate

RetryTemplateexecute方法主要就是参数的不同。核心就是3个参数:RetryCallbackRecoveryCallbackRetryState

	@Overridepublic final <T, E extends Throwable> T execute(RetryCallback<T, E> retryCallback) throws E {return doExecute(retryCallback, null, null);}@Overridepublic final <T, E extends Throwable> T execute(RetryCallback<T, E> retryCallback,RecoveryCallback<T> recoveryCallback) throws E {return doExecute(retryCallback, recoveryCallback, null);}@Overridepublic final <T, E extends Throwable> T execute(RetryCallback<T, E> retryCallback, RetryState retryState)throws E, ExhaustedRetryException {return doExecute(retryCallback, null, retryState);}@Overridepublic final <T, E extends Throwable> T execute(RetryCallback<T, E> retryCallback,RecoveryCallback<T> recoveryCallback, RetryState retryState) throws E, ExhaustedRetryException {return doExecute(retryCallback, recoveryCallback, retryState);}protected <T, E extends Throwable> T doExecute(RetryCallback<T, E> retryCallback,RecoveryCallback<T> recoveryCallback, RetryState state) throws E, ExhaustedRetryException {RetryPolicy retryPolicy = this.retryPolicy;BackOffPolicy backOffPolicy = this.backOffPolicy;//新建一个RetryContext来保存本轮重试的上下文 RetryContext context = open(retryPolicy, state);if (this.logger.isTraceEnabled()) {this.logger.trace("RetryContext retrieved: " + context);}// Make sure the context is available globally for clients who need// it...RetrySynchronizationManager.register(context);Throwable lastException = null;boolean exhausted = false;try {//如果有注册RetryListener,则会调用它的open方法,给调用者一个通知。 boolean running = doOpenInterceptors(retryCallback, context);if (!running) {throw new TerminatedRetryException("Retry terminated abnormally by interceptor before first attempt");}// Get or Start the backoff context...BackOffContext backOffContext = null;Object resource = context.getAttribute("backOffContext");if (resource instanceof BackOffContext) {backOffContext = (BackOffContext) resource;}if (backOffContext == null) {backOffContext = backOffPolicy.start(context);if (backOffContext != null) {context.setAttribute("backOffContext", backOffContext);}}//判断能否重试,就是调用RetryPolicy的canRetry方法来判断。  //这个循环会直到原方法不抛出异常,或不需要再重试 while (canRetry(retryPolicy, context) && !context.isExhaustedOnly()) {try {if (this.logger.isDebugEnabled()) {this.logger.debug("Retry: count=" + context.getRetryCount());}//清除上次记录的异常// the close interceptors will not think we failed...lastException = null;//doWithRetry方法,一般来说就是原方法 return retryCallback.doWithRetry(context);}catch (Throwable e) {//记录异常lastException = e;try {//记录异常信息 registerThrowable(retryPolicy, state, context, e);}catch (Exception ex) {throw new TerminatedRetryException("Could not register throwable", ex);}finally {//调用RetryListener的onError方法 doOnErrorInterceptors(retryCallback, context, e);}//再次判断能否重试 if (canRetry(retryPolicy, context) && !context.isExhaustedOnly()) {try {//如果可以重试则走退避策略 backOffPolicy.backOff(backOffContext);}catch (BackOffInterruptedException ex) {lastException = e;// back off was prevented by another thread - fail the retryif (this.logger.isDebugEnabled()) {this.logger.debug("Abort retry because interrupted: count=" + context.getRetryCount());}throw ex;}}if (this.logger.isDebugEnabled()) {this.logger.debug("Checking for rethrow: count=" + context.getRetryCount());}if (shouldRethrow(retryPolicy, context, state)) {if (this.logger.isDebugEnabled()) {this.logger.debug("Rethrow in retry for policy: count=" + context.getRetryCount());}throw RetryTemplate.<E>wrapIfNecessary(e);}}/** A stateful attempt that can retry may rethrow the exception before now,* but if we get this far in a stateful retry there's a reason for it,* like a circuit breaker or a rollback classifier.*/if (state != null && context.hasAttribute(GLOBAL_STATE)) {break;}}   // END WHILEif (state == null && this.logger.isDebugEnabled()) {this.logger.debug("Retry failed last attempt: count=" + context.getRetryCount());}exhausted = true;//重试结束后如果有兜底Recovery方法则执行,否则抛异常 return handleRetryExhausted(recoveryCallback, context, state);}  //END FIRST TRYcatch (Throwable e) {throw RetryTemplate.<E>wrapIfNecessary(e);}finally {//处理一些关闭逻辑close(retryPolicy, context, state, lastException == null || exhausted);//调用RetryListener的close方法 doCloseInterceptors(retryCallback, context, lastException);RetrySynchronizationManager.clear();}}

重试策略

用来判断当方法调用异常时是否需要重试。常用策略有:

  • SimpleRetryPolicy :默认最多重试3次
  • TimeoutRetryPolicy :默认在1秒内失败都会重试
  • ExpressionRetryPolicy :符合表达式就会重试
  • CircuitBreakerRetryPolicy :增加了熔断的机制,如果不在熔断状态,则允许重试
  • CompositeRetryPolicy :可以组合多个重试策略
  • NeverRetryPolicy :从不重试(也是一种重试策略哈)
  • AlwaysRetryPolicy :总是重试

重试策略最重要的方法就是 canRetry

public interface RetryPolicy extends Serializable {boolean canRetry(RetryContext context);RetryContext open(RetryContext parent);void close(RetryContext context);void registerThrowable(RetryContext context, Throwable throwable);
}
//SimpleRetryPolicy@Overridepublic boolean canRetry(RetryContext context) {Throwable t = context.getLastThrowable();//判断抛出的异常是否符合重试的异常 return (t == null || retryForException(t)) && context.getRetryCount() < this.maxAttempts;}//ExpressionRetryPolicy extends SimpleRetryPolicy public ExpressionRetryPolicy(int maxAttempts, Map<Class<? extends Throwable>, Boolean> retryableExceptions,boolean traverseCauses, String expressionString, boolean defaultValue) {super(maxAttempts, retryableExceptions, traverseCauses, defaultValue);Assert.notNull(expressionString, "'expressionString' cannot be null");this.expression = getExpression(expressionString);}

退避策略

控制下一次的间隔时间。常用策略有:

  • FixedBackOffPolicy 默认固定延迟1秒后执行下一次重试
  • ExponentialBackOffPolicy 指数递增延迟执行重试,默认初始0.1秒,系数是2,那么下次延迟0.2秒,再下次就是延迟0.4秒,如此类推,最大30秒。
  • ExponentialRandomBackOffPolicy 在上面那个策略上增加随机性
  • UniformRandomBackOffPolicy 这个跟上面的区别就是,上面的延迟会不停递增,这个只会在固定的区间随机
  • StatelessBackOffPolicy 这个说明是无状态的,所谓无状态就是对上次的退避无感知,从它下面的子类也能看出来

退避策略主要方法是 backOff

public interface BackOffPolicy {BackOffContext start(RetryContext context);void backOff(BackOffContext backOffContext) throws BackOffInterruptedException;}

FixedBackOffPolicy

public class FixedBackOffPolicy extends StatelessBackOffPolicy implements SleepingBackOffPolicy<FixedBackOffPolicy> {private static final long DEFAULT_BACK_OFF_PERIOD = 1000L;private volatile long backOffPeriod = DEFAULT_BACK_OFF_PERIOD;private Sleeper sleeper = new ThreadWaitSleeper();public FixedBackOffPolicy withSleeper(Sleeper sleeper) {FixedBackOffPolicy res = new FixedBackOffPolicy();res.setBackOffPeriod(backOffPeriod);res.setSleeper(sleeper);return res;}protected void doBackOff() throws BackOffInterruptedException {try {//sleep 指定时间  // 内部:Thread.sleep(backOffPeriod);sleeper.sleep(backOffPeriod);}catch (InterruptedException e) {throw new BackOffInterruptedException("Thread interrupted while sleeping", e);}}}
//ExponentialBackOffPolicy@Overridepublic void backOff(BackOffContext backOffContext) throws BackOffInterruptedException {ExponentialBackOffContext context = (ExponentialBackOffContext) backOffContext;try {// ExponentialBackOffContextlong sleepTime = context.getSleepAndIncrement();if (this.logger.isDebugEnabled()) {this.logger.debug("Sleeping for " + sleepTime);}this.sleeper.sleep(sleepTime);}catch (InterruptedException e) {throw new BackOffInterruptedException("Thread interrupted while sleeping", e);}}//ExponentialBackOffContextpublic synchronized long getSleepAndIncrement() {// this.interval:本次间隔时间。在上一次结束时计算。long sleep = this.interval;if (sleep > this.maxInterval) {sleep = this.maxInterval;}else {this.interval = getNextInterval();}return sleep;}protected long getNextInterval() {return (long) (this.interval * this.multiplier);}

RetryContext

RetryContext主要用于记录一些状态。

public interface RetryContext extends AttributeAccessor {String NAME = "context.name";String STATE_KEY = "context.state";String CLOSED = "context.closed";String RECOVERED = "context.recovered";String EXHAUSTED = "context.exhausted";void setExhaustedOnly();boolean isExhaustedOnly();RetryContext getParent();int getRetryCount();Throwable getLastThrowable();}

每一个策略都有对应的Context。在Spring Retry里,其实每一个策略都是单例来的。单例则会导致重试策略之间才产生冲突,不是单例,则多出了很多策略对象出来,增加了使用者的负担,这不是一个好的设计。

Spring Retry采用了一个更加轻量级的做法,就是针对每一个需要重试的方法只new一个上下文Context对象,然后在重试时,把这个Context传到策略里,策略再根据这个Context做重试,而且Spring Retry还对这个Context做了cache。这样就相当于对重试的上下文做了优化。

	private RetryContext doOpenInternal(RetryPolicy retryPolicy, RetryState state) {RetryContext context = retryPolicy.open(RetrySynchronizationManager.getContext());if (state != null) {context.setAttribute(RetryContext.STATE_KEY, state.getKey());}if (context.hasAttribute(GLOBAL_STATE)) {registerContext(context, state);}return context;}

附录

参考

Spring retry

Guava retry

参考:https://java.jverson.com/tools/guava-retryer.html

添加依赖

    <dependency><groupId>com.github.rholder</groupId><artifactId>guava-retrying</artifactId><version>2.0.0</version></dependency>

示例

    public boolean guavaTestTask(String param) {// 构建重试实例 可以设置重试源且可以支持多个重试源 可以配置重试次数或重试超时时间,以及可以配置等待时间间隔Retryer<Boolean> retriever = RetryerBuilder.<Boolean>newBuilder()// 重试的异常类以及子类.retryIfExceptionOfType(ServiceException.class)// 根据返回值进行重试.retryIfResult(result -> !result)// 设置等待间隔时间,每次请求间隔1s.withWaitStrategy(WaitStrategies.fixedWait(1, TimeUnit.SECONDS))// 设置最大重试次数,尝试请求3次.withStopStrategy(StopStrategies.stopAfterAttempt(3)).build();try {//调用 真实的服务。return retriever.call(() -> randomResult(param));} catch (Exception e) {e.printStackTrace();}return false;}

原理

Retryer 接口

定义了执行方法重试的方法,并提供了多个配置方法来设置重试条件、等待策略、停止策略等。它包含一个call方法,将需要重试的操作以Callable形式传递给它。

public V call(Callable<V> callable) throws ExecutionException, RetryException {long startTime = System.nanoTime();//根据attemptNumber进行循环次数for (int attemptNumber = 1; ; attemptNumber++) {// 进入方法不等待,立即执行一次Attempt<V> attempt;try {// 执行callable中的具体业务// attemptTimeLimiter限制了每次尝试等待的时长V result = attemptTimeLimiter.call(callable);// 利用调用结果构造新的attemptattempt = new ResultAttempt<V>(result, attemptNumber, TimeUnit.NANOSECONDS.toMillis(System.nanoTime() - startTime));} catch (Throwable t) {attempt = new ExceptionAttempt<V>(t, attemptNumber, TimeUnit.NANOSECONDS.toMillis(System.nanoTime() - startTime));}// 遍历自定义的监听器for (RetryListener listener : listeners) {listener.onRetry(attempt);}// 判断是否满足重试条件,来决定是否继续等待并进行重试if (!rejectionPredicate.apply(attempt)) {return attempt.get();}// 此时满足停止策略,因为还没有得到想要的结果,因此抛出异常if (stopStrategy.shouldStop(attempt)) {throw new RetryException(attemptNumber, attempt);} else {// 行默认的停止策略——线程休眠long sleepTime = waitStrategy.computeSleepTime(attempt);try {// 也可以执行定义的停止策略blockStrategy.block(sleepTime);} catch (InterruptedException e) {Thread.currentThread().interrupt();throw new RetryException(attemptNumber, attempt);}}}
}
RetryerBuilder 类

创建Retryer实例的构建器类。通过RetryerBuilder配置重试策略、条件和其他参数,最终构建出一个Retryer实例。

Guava-Retry和Spring Retry 比较

  • 框架来源:
    • Guava-Retry:Guava-Retry是Google Guava库的一部分,它提供了一种用于重试操作的机制。
    • Spring Retry:Spring Retry是Spring框架的一个模块,专门用于在Spring应用程序中实现重试逻辑。
  • 库依赖:
    • Guava-Retry:需要添加Guava库的依赖。
    • Spring Retry:需要添加spring-retry模块的依赖。
  • 配置和注解:
    • Guava-Retry:重试逻辑通过构建Retryer实例并定义重试条件、等待策略等来配置。
    • Spring Retry:Spring Retry提供了注解(如@Retryable@Recover等)和编程式配置来实现重试逻辑。
  • 重试策略:
    • Guava-RetryGuava-Retry基于结果异常类型来定义重试条件。使用RetryerBuilder来自定义重试策略。
    • Spring RetrySpring Retry使用注解来定义重试条件和相关属性,如最大重试次数、重试间隔等。
  • 等待策略:
    • Guava-RetryGuava-Retry提供了不同的等待策略(如固定等待、指数等待等),自己组合。
    • Spring RetrySpring Retry通过注解或编程式配置来指定等待时间。
  • 适用范围:
    • Guava-Retry:可以用于任何Java应用程序,不仅限于Spring框架。
    • Spring Retry:专门设计用于Spring应用程序中,可以与其他Spring功能(如Spring AOP)集成。
  • 依赖性:
    • Guava-Retry:相对较轻量级,如果只需要重试功能,可以考虑使用Guava库的一部分。
    • Spring Retry:如果已使用Spring框架,可以方便地集成Spring Retry,但可能需要更多的Spring依赖。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/652973.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

obsidian阅读pdf和文献——与zotero连用

参考&#xff1a; 【基于Obsidian的pdf阅读、标注&#xff0c;构建笔记思维导图&#xff0c;实现笔记标签化、碎片化&#xff0c;便于检索和跳转】 工作流&#xff1a;如何在Obsidian中阅读PDF - Eleven的文章 - 知乎 https://zhuanlan.zhihu.com/p/409627700 操作步骤 基于O…

武忠祥2025高等数学,基础阶段的百度网盘+视频及PDF

考研数学武忠祥基础主要学习以下几个方面的内容&#xff1a; 1.微积分:主要包括极限、连续、导数、积分等概念&#xff0c;以及它们的基本性质和运算方法。 2.线性代数:主要包括向量、向量空间、线性方程组、矩阵、行列式、特征值和特征向量等概念&#xff0c;以及它们的基本…

VASP安装教程

目录 前言 正文 1. 准备好安装包 VASP 5.4.4 2. VASP安装前的准备 Install GNU Compiler 3. VASP安装 提取并修补 修改文件 编译&#xff0c;构建VASP的std、gam和ncl 修改路径 运行vasp 前言 接上一章&#xff0c;今天我们来讲VASP的安装。 正文 1. 准备好安装…

RK3568平台 of 操作函数获取设备树节点

一.of函数概述 Linux内核给我们提供了一系列的函数来获取设备树中的节点或者属性信息&#xff0c;这一系列的函数都有一个统一的前缀 ”of“ &#xff0c; 所以在很多资料里面也被叫做OF函数。 Linux 内核使用device_node 结构体来描述一个节点&#xff0c;此结构体定义在文件…

设计模式三(原型模式)

在开发过程中&#xff0c;创建多个数据相同的对象&#xff0c;每次new都开销比较大&#xff0c;在这里可以使用对象克隆&#xff0c;以先创建的原型对象为模板进行对象的复制。这种模式是实现了一个原型接口&#xff0c;该接口用于创建当前对象的克隆。当直接创建对象的代价比较…

Python初学者学习记录——python基础综合案例:数据可视化——折线图可视化

一、案例介绍 效果一&#xff1a;2020年印美日新冠累计确诊人数 效果二&#xff1a;全国疫情地图可视化 效果三&#xff1a;动态GDP增长图 数据来源&#xff1a; 本案例数据全部来自《百度疫情实时大数据报告》&#xff0c;及公开的全球各国GDP数据 使用的技术&#xff1a; E…

C++爱好者的科目四易错点总结

科目四易错点总结 在科目四考试中&#xff0c;一部分内容是可以通过刷题快速掌握的&#xff0c;一部分内容缺因易混淆而降低我们的准确率&#xff0c;本文主要对后者进行总结&#xff0c;期待大家补充与指正。 注&#xff1a; 本文不是全部的知识点总结处 本文不是权威机构 本文…

张维迎《博弈与社会》笔记(3)导论:一些经济学的基础知识

这篇的主要内容介绍了经济学的基础知识吧。 经济学、社会学、心理学的区别 经济学与社会学的区别与共同点 经济学一般是从个人的行为出发解释社会现象&#xff08;from micro to macro&#xff09;。社会学的传统方法则是从社会的角度来解释个人的行为&#xff08;from macro…

硕士毕业论文如何体现自己的工作量

一、工作量是什么 工作量就是你在科研过程中做的所有工作量的体现&#xff0c;包括你对背景的调查&#xff0c;对问题的发现&#xff0c;你做的实验&#xff0c;提出的创新点。 notice&#xff1a;任何别人做的实验&#xff0c;提出的模型&#xff0c;都不能算是你的工作量。…

uniapp+vue3+ts --微信小程序tab导航可以上下滚动选中选项组件代码

uniappvue3ts --微信小程序tab导航可以上下滚动选中选项组件代码 废话不多说&#xff0c;直接上代码。 组件代码&#xff1a; <template><view class"scroll-tabs-container"><view class"radiusz bg-white pt-[10rpx] z-[999]" :class&…

文件包含漏洞长度截断

长度截断 文件漏洞的利用方式什么是长度截断通过实操理解00截断对版本要求更高一点&#xff0c;而长度截断则是利用了windows的系统漏洞&#xff0c;就是windows文件名&#xff08;就是文件名后缀之后&#xff09;之后如果有空格&#xff0c;或者是点都会被忽略掉&#xff0c;也…

Oracle报错:ORA-08002: sequence CURRVAL is not yet defined in this session

问题 直接查询序列的当前值&#xff0c;然后报了这个错误。 SELECT HR.EMPLOYEES_SEQ.CURRVAL; ORA-08002: sequence CURRVAL is not yet defined in this session解决 ORA-08002错误是Oracle数据库中的一个常见错误&#xff0c;它表示在当前会话中未定义序列的CURRVAL值。这…

Python tkinter (6) —— Listbox控件

Python的标准Tk GUI工具包的接口 tkinter系列文章 python tkinter窗口简单实现 Python tkinter (1) —— Label标签 Python tkinter (2) —— Button标签 Python tkinter (3) —— Entry标签 Python tkinter (4) —— Text控件 Python tkinter (5) 选项按钮与复选框 目录…

【并发编程】volatile原理

&#x1f4dd;个人主页&#xff1a;五敷有你 &#x1f525;系列专栏&#xff1a;并发编程 ⛺️稳重求进&#xff0c;晒太阳 volatile原理实现是内存屏障&#xff0c;Memory Barrier 对volatile变量的写指令后会加入写屏障。对volatile变量的读指令前会加入读屏障 如何…

响应式Web开发项目教程(HTML5+CSS3+Bootstrap)第2版 例5-2 JavaScript 获取HTML元素对象

代码 <!doctype html> <html> <head> <meta charset"utf-8"> <title>JavaScript 获取 HTML 元素对象</title> </head><body> <input type"text" value"admin" /> <br> <input …

【深度学习:t-SNE 】T 分布随机邻域嵌入

【深度学习&#xff1a;t-SNE 】T 分布随机邻域嵌入 降低数据维度的目标什么是PCA和t-SNE&#xff0c;两者有什么区别或相似之处&#xff1f;主成分分析&#xff08;PCA&#xff09;t-分布式随机邻域嵌入&#xff08;t-SNE&#xff09; 在 MNIST 数据集上实现 PCA 和 t-SNE结论…

数据中心代理IP:最优性价比业务应用指南

数据中心代理IP在应对高速高并发的业务时&#xff0c;以独特的高速传输&#xff0c;游刃有余地应对多任务处理&#xff0c;适合于特定业务场景的高效加速。理性选用数据中心代理IP&#xff0c;可以为业务将迎来更加稳健和迅速的发展。今天&#xff0c;我们将揭示数据中心代理IP…

Python代码耗时统计

time模块 在代码执行前后各记录一个时间点&#xff0c;两个时间戳相减即程序运行耗时。这种方式虽然简单&#xff0c;但使用起来比较麻烦。 time.time() 函数返回的时间是相对于1970年1月1日的秒数 import timestart time.time() time.sleep(1) end time.time() print(f&…

flutter 搜索框实现,键盘搜索按钮,清空,防抖

import package:flutter/material.dart; import package:flutter_screenutil/flutter_screenutil.dart; import package:flutter_svg/svg.dart; import package:sy_project/config/app_colors.dart; import package:sy_project/core/assets.dart;/// 搜索textview class Custom…

JavaSE核心基础-面向对象一 - 类和对象 成员变量与局部变量-知识点

1.面向对象的特点 ①.面向对象是一种常见的思想&#xff0c;比较符合人们的思考习惯&#xff1b; ②.面向对象可以将复杂的业务逻辑简单化&#xff0c;增强代码复用性&#xff1b; ③.面向对象具有抽象、封装、继承、多态等特性。 2.面向对象的三大特征 ①.封装性 封装是面向对…