博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
聊聊resilience4j的CircuitBreaker
阅读量:7236 次
发布时间:2019-06-29

本文共 20170 字,大约阅读时间需要 67 分钟。

本文主要研究一下resilience4j的CircuitBreaker

CircuitBreaker

resilience4j-circuitbreaker-0.13.0-sources.jar!/io/github/resilience4j/circuitbreaker/CircuitBreaker.java

/** * A CircuitBreaker instance is thread-safe can be used to decorate multiple requests. * * A {@link CircuitBreaker} manages the state of a backend system. * The CircuitBreaker is implemented via a finite state machine with three states: CLOSED, OPEN and HALF_OPEN. * The CircuitBreaker does not know anything about the backend's state by itself, but uses the information provided by the decorators via * {@link CircuitBreaker#onSuccess} and {@link CircuitBreaker#onError} events. * Before communicating with the backend, the the permission to do so must be obtained via the method {@link CircuitBreaker#isCallPermitted()}. * * The state of the CircuitBreaker changes from CLOSED to OPEN when the failure rate is above a (configurable) threshold. * Then, all access to the backend is blocked for a (configurable) time duration. {@link CircuitBreaker#isCallPermitted} throws a {@link CircuitBreakerOpenException}, if the CircuitBreaker is OPEN. * * After the time duration has elapsed, the CircuitBreaker state changes from OPEN to HALF_OPEN and allows calls to see if the backend is still unavailable or has become available again. * If the failure rate is above the configured threshold, the state changes back to OPEN. If the failure rate is below or equal to the threshold, the state changes back to CLOSED. */@SuppressWarnings("ALL")public interface CircuitBreaker {    /**     * Requests permission to call this circuitBreaker's backend.     *     * @return boolean whether a call should be permitted     */    boolean isCallPermitted();    /**     * Records a failed call.     * This method must be invoked when a call failed.     *     * @param durationInNanos The elapsed time duration of the call     * @param throwable The throwable which must be recorded     */    void onError(long durationInNanos, Throwable throwable);     /**      * Records a successful call.      *      * @param durationInNanos The elapsed time duration of the call      * This method must be invoked when a call was successful.      */    void onSuccess(long durationInNanos);    /**     * Returns the circuit breaker to its original closed state, losing statistics.     *     * Should only be used, when you want to want to fully reset the circuit breaker without creating a new one.     */    void reset();    /**     * Transitions the state machine to CLOSED state.     *     * Should only be used, when you want to force a state transition. State transition are normally done internally.     */    void transitionToClosedState();    /**     * Transitions the state machine to OPEN state.     *     * Should only be used, when you want to force a state transition. State transition are normally done internally.     */    void transitionToOpenState();    /**     * Transitions the state machine to HALF_OPEN state.     *     * Should only be used, when you want to force a state transition. State transition are normally done internally.     */    void transitionToHalfOpenState();    /**     * Transitions the state machine to a DISABLED state, stopping state transition, metrics and event publishing.     *     * Should only be used, when you want to disable the circuit breaker allowing all calls to pass.     * To recover from this state you must force a new state transition     */    void transitionToDisabledState();    /**     * Transitions the state machine to a FORCED_OPEN state,  stopping state transition, metrics and event publishing.     *     * Should only be used, when you want to disable the circuit breaker allowing no call to pass.     * To recover from this state you must force a new state transition     */    void transitionToForcedOpenState();    /**     * Returns the name of this CircuitBreaker.     *     * @return the name of this CircuitBreaker     */    String getName();    /**     * Returns the state of this CircuitBreaker.     *     * @return the state of this CircuitBreaker     */    State getState();    /**     * Returns the CircuitBreakerConfig of this CircuitBreaker.     *     * @return the CircuitBreakerConfig of this CircuitBreaker     */    CircuitBreakerConfig getCircuitBreakerConfig();    /**     * Returns the Metrics of this CircuitBreaker.     *     * @return the Metrics of this CircuitBreaker     */    Metrics getMetrics();    /**     * Returns an EventPublisher which can be used to register event consumers.     *     * @return an EventPublisher     */    EventPublisher getEventPublisher();    /**     * Decorates and executes the decorated Supplier.     *     * @param supplier the original Supplier     * @param 
the type of results supplied by this supplier * @return the result of the decorated Supplier. */ default
T executeSupplier(Supplier
supplier){ return decorateSupplier(this, supplier).get(); } /** * Decorates and executes the decorated Callable. * * @param callable the original Callable * * @return the result of the decorated Callable. * @param
the result type of callable * @throws Exception if unable to compute a result */ default
T executeCallable(Callable
callable) throws Exception{ return decorateCallable(this, callable).call(); } /** * Decorates and executes the decorated Runnable. * * @param runnable the original Runnable */ default void executeRunnable(Runnable runnable){ decorateRunnable(this, runnable).run(); } /** * Decorates and executes the decorated CompletionStage. * * @param supplier the original CompletionStage * @param
the type of results supplied by this supplier * @return the decorated CompletionStage. */ default
CompletionStage
executeCompletionStage(Supplier
> supplier){ return decorateCompletionStage(this, supplier).get(); } //......}复制代码

这里重点定义一些状态转换的方法,比如transitionToClosedState、transitionToOpenState、transitionToHalfOpenState、transitionToDisabledState、transitionToForcedOpenState

State

/**     * States of the CircuitBreaker state machine.     */    enum State {         /** A DISABLED breaker is not operating (no state transition, no events)          and allowing all requests through. */        DISABLED(3, false),        /** A CLOSED breaker is operating normally and allowing         requests through. */        CLOSED(0, true),        /** An OPEN breaker has tripped and will not allow requests         through. */        OPEN(1, true),        /** A FORCED_OPEN breaker is not operating (no state transition, no events)         and not allowing any requests through. */        FORCED_OPEN(4, false),        /** A HALF_OPEN breaker has completed its wait interval         and will allow requests */        HALF_OPEN(2, true);        private final int order;        public final boolean allowPublish;        /**         * Order is a FIXED integer, it should be preserved regardless of the ordinal number of the enumeration.         * While a State.ordinal() does mostly the same, it is prone to changing the order based on how the         * programmer  sets the enum. If more states are added the "order" should be preserved. For example, if         * there is a state inserted between CLOSED and HALF_OPEN (say FIXED_OPEN) then the order of HALF_OPEN remains         * at 2 and the new state takes 3 regardless of its order in the enum.         *         * @param order         * @param allowPublish         */        private State(int order, boolean allowPublish){            this.order = order;            this.allowPublish = allowPublish;        }        public int getOrder(){            return order;        }    }复制代码

状态主要有如下几种:DISABLED、CLOSED、OPEN、FORCED_OPEN、HALF_OPEN

StateTransition

/**     * State transitions of the CircuitBreaker state machine.     */    enum StateTransition {        CLOSED_TO_OPEN(State.CLOSED, State.OPEN),        CLOSED_TO_DISABLED(State.CLOSED, State.DISABLED),        CLOSED_TO_FORCED_OPEN(State.CLOSED, State.FORCED_OPEN),        HALF_OPEN_TO_CLOSED(State.HALF_OPEN, State.CLOSED),        HALF_OPEN_TO_OPEN(State.HALF_OPEN, State.OPEN),        HALF_OPEN_TO_DISABLED(State.HALF_OPEN, State.DISABLED),        HALF_OPEN_TO_FORCED_OPEN(State.HALF_OPEN, State.FORCED_OPEN),        OPEN_TO_CLOSED(State.OPEN, State.CLOSED),        OPEN_TO_HALF_OPEN(State.OPEN, State.HALF_OPEN),        OPEN_TO_DISABLED(State.OPEN, State.DISABLED),        OPEN_TO_FORCED_OPEN(State.OPEN, State.FORCED_OPEN),        FORCED_OPEN_TO_CLOSED(State.FORCED_OPEN, State.CLOSED),        FORCED_OPEN_TO_OPEN(State.FORCED_OPEN, State.OPEN),        FORCED_OPEN_TO_DISABLED(State.FORCED_OPEN, State.DISABLED),        FORCED_OPEN_TO_HALF_OPEN(State.FORCED_OPEN, State.HALF_OPEN),        DISABLED_TO_CLOSED(State.DISABLED, State.CLOSED),        DISABLED_TO_OPEN(State.DISABLED, State.OPEN),        DISABLED_TO_FORCED_OPEN(State.DISABLED, State.FORCED_OPEN),        DISABLED_TO_HALF_OPEN(State.DISABLED, State.HALF_OPEN);        private final State fromState;        private final State toState;        private static final Map
, StateTransition> STATE_TRANSITION_MAP = Arrays .stream(StateTransition.values()) .collect(Collectors.toMap(v -> Tuple.of(v.fromState, v.toState), Function.identity())); private boolean matches(State fromState, State toState) { return this.fromState == fromState && this.toState == toState; } public static StateTransition transitionBetween(State fromState, State toState){ final StateTransition stateTransition = STATE_TRANSITION_MAP.get(Tuple.of(fromState, toState)); if(stateTransition == null) { throw new IllegalStateException( String.format("Illegal state transition from %s to %s", fromState.toString(), toState.toString())); } return stateTransition; } StateTransition(State fromState, State toState) { this.fromState = fromState; this.toState = toState; } public State getFromState() { return fromState; } public State getToState() { return toState; } @Override public String toString(){ return String.format("State transition from %s to %s", fromState, toState); } }复制代码

这里定义了19种状态转换途径,除了CLOSED状态只有3种转换外,其余四个状态均有4种转换

decorate

/**     * Returns a supplier which is decorated by a CircuitBreaker.     *     * @param circuitBreaker the CircuitBreaker     * @param supplier the original supplier     * @param 
the type of results supplied by this supplier * @return a supplier which is decorated by a CircuitBreaker. */ static
CheckedFunction0
decorateCheckedSupplier(CircuitBreaker circuitBreaker, CheckedFunction0
supplier){ return () -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try { T returnValue = supplier.apply(); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); return returnValue; } catch (Throwable throwable) { long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a supplier which is decorated by a CircuitBreaker. * * @param circuitBreaker the CircuitBreaker * @param supplier the original supplier * @param
the type of the returned CompletionStage's result * @return a supplier which is decorated by a CircuitBreaker. */ static
Supplier
> decorateCompletionStage( CircuitBreaker circuitBreaker, Supplier
> supplier ) { return () -> { final CompletableFuture
promise = new CompletableFuture<>(); if (!circuitBreaker.isCallPermitted()) { promise.completeExceptionally( new CircuitBreakerOpenException( String.format("CircuitBreaker '%s' is open", circuitBreaker.getName()))); } else { final long start = System.nanoTime(); try { supplier.get().whenComplete((result, throwable) -> { long durationInNanos = System.nanoTime() - start; if (throwable != null) { circuitBreaker.onError(durationInNanos, throwable); promise.completeExceptionally(throwable); } else { circuitBreaker.onSuccess(durationInNanos); promise.complete(result); } }); } catch (Throwable throwable) { long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } } return promise; }; } /** * Returns a runnable which is decorated by a CircuitBreaker. * * @param circuitBreaker the CircuitBreaker * @param runnable the original runnable * * @return a runnable which is decorated by a CircuitBreaker. */ static CheckedRunnable decorateCheckedRunnable(CircuitBreaker circuitBreaker, CheckedRunnable runnable){ return () -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try{ runnable.run(); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); } catch (Throwable throwable){ long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a callable which is decorated by a CircuitBreaker. * * @param circuitBreaker the CircuitBreaker * @param callable the original Callable * @param
the result type of callable * * @return a supplier which is decorated by a CircuitBreaker. */ static
Callable
decorateCallable(CircuitBreaker circuitBreaker, Callable
callable){ return () -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try { T returnValue = callable.call(); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); return returnValue; } catch (Throwable throwable) { long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a supplier which is decorated by a CircuitBreaker. * * @param circuitBreaker the CircuitBreaker * @param supplier the original supplier * @param
the type of results supplied by this supplier * * @return a supplier which is decorated by a CircuitBreaker. */ static
Supplier
decorateSupplier(CircuitBreaker circuitBreaker, Supplier
supplier){ return () -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try { T returnValue = supplier.get(); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); return returnValue; } catch (Throwable throwable) { long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a consumer which is decorated by a CircuitBreaker. * @param circuitBreaker the CircuitBreaker * @param consumer the original consumer * @param
the type of the input to the consumer * * @return a consumer which is decorated by a CircuitBreaker. */ static
Consumer
decorateConsumer(CircuitBreaker circuitBreaker, Consumer
consumer){ return (t) -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try { consumer.accept(t); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); } catch (Throwable throwable) { long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a consumer which is decorated by a CircuitBreaker. * @param circuitBreaker the CircuitBreaker * @param consumer the original consumer * @param
the type of the input to the consumer * * @return a consumer which is decorated by a CircuitBreaker. */ static
CheckedConsumer
decorateCheckedConsumer(CircuitBreaker circuitBreaker, CheckedConsumer
consumer){ return (t) -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try { consumer.accept(t); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); } catch (Throwable throwable) { long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a runnable which is decorated by a CircuitBreaker. * * @param circuitBreaker the CircuitBreaker * @param runnable the original runnable * * @return a runnable which is decorated by a CircuitBreaker. */ static Runnable decorateRunnable(CircuitBreaker circuitBreaker, Runnable runnable){ return () -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try{ runnable.run(); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); } catch (Throwable throwable){ long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a function which is decorated by a CircuitBreaker. * @param circuitBreaker the CircuitBreaker * @param function the original function * @param
the type of the input to the function * @param
the type of the result of the function * @return a function which is decorated by a CircuitBreaker. */ static
Function
decorateFunction(CircuitBreaker circuitBreaker, Function
function){ return (T t) -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try{ R returnValue = function.apply(t); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); return returnValue; } catch (Throwable throwable){ long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; } /** * Returns a function which is decorated by a CircuitBreaker. * * @param circuitBreaker the CircuitBreaker * @param function the original function * @param
the type of the input to the function * @param
the type of the result of the function * @return a function which is decorated by a CircuitBreaker. */ static
CheckedFunction1
decorateCheckedFunction(CircuitBreaker circuitBreaker, CheckedFunction1
function){ return (T t) -> { CircuitBreakerUtils.isCallPermitted(circuitBreaker); long start = System.nanoTime(); try{ R returnValue = function.apply(t); long durationInNanos = System.nanoTime() - start; circuitBreaker.onSuccess(durationInNanos); return returnValue; } catch (Throwable throwable){ long durationInNanos = System.nanoTime() - start; circuitBreaker.onError(durationInNanos, throwable); throw throwable; } }; }复制代码
  • 这里定义了decorateCheckedSupplier、decorateCompletionStage、decorateCheckedRunnable、decorateCallable、decorateSupplier、decorateConsumer、decorateCheckedConsumer、decorateRunnable、decorateFunction、decorateCheckedFunction方法
  • decorate里头的逻辑大致如下:
CircuitBreakerUtils.isCallPermitted(circuitBreaker);            long start = System.nanoTime();            try{                //调用被包装的方法,比如runnable.run();                long durationInNanos = System.nanoTime() - start;                circuitBreaker.onSuccess(durationInNanos);            } catch (Throwable throwable){                long durationInNanos = System.nanoTime() - start;                circuitBreaker.onError(durationInNanos, throwable);                throw throwable;            }复制代码

isCallPermitted

resilience4j-circuitbreaker-0.13.0-sources.jar!/io/github/resilience4j/circuitbreaker/utils/CircuitBreakerUtils.java

public final class CircuitBreakerUtils {    private CircuitBreakerUtils(){}    public static void isCallPermitted(CircuitBreaker circuitBreaker) {        if(!circuitBreaker.isCallPermitted()) {            throw new CircuitBreakerOpenException(String.format("CircuitBreaker '%s' is open", circuitBreaker.getName()));        }    }}复制代码

这里如果不允许执行,则抛出CircuitBreakerOpenException

小结

CircuitBreaker接口定义了isCallPermitted、onError、onSuccess以及状态转换等方法,里头还定义了5个状态以及19个状态转换路径,给CircuitBreakerStateMachine实现类做好铺垫。

doc

转载地址:http://osgfm.baihongyu.com/

你可能感兴趣的文章
干货:Vue粒子特效(vue-particles插件)
查看>>
Silverlight自定义数据绑定控件应该如何处理IEditableObject和IEditableCollectionView对象...
查看>>
加密PDF为只读模式
查看>>
让你编写的控件库在 XAML 中有一个统一的漂亮的命名空间(xmlns)和命名空间前缀...
查看>>
MySQL数据库的锁详解【转】
查看>>
ip route 解释
查看>>
【转】Android中保持Service的存活
查看>>
Consul功能简介
查看>>
IdentityServer4实战 - API与IdentityServer的交互过程解析
查看>>
Delphi编程 -- 使用CPUID指令获取CPU信息(转自大富翁)
查看>>
Android setRequestedOrientation用法
查看>>
面向对象三大基本特性,五大基本原则
查看>>
更改窗口图标并将其显示在任务栏
查看>>
包含的语句
查看>>
正则表达式-匹配标点符号
查看>>
osworkflow descriptor 解析 重要概念
查看>>
Edmonds_Karp 算法 (转)
查看>>
第一节 接口概述 [转贴]
查看>>
C# Attribute 用法备忘
查看>>
数据结构学习笔记(5.线性表之双向循环链表)
查看>>