Resilience4j 从入门到放弃

2023-10-24 09:59
文章标签 入门 放弃 resilience4j

本文主要是介绍Resilience4j 从入门到放弃,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

Resilience4j

  • 简介
  • 1.基本用法
    • 1.1熔断器
      • 1.1.1 首先看一个正常的断路器:
      • 1.1.2 一个异常的断路器:
      • 1.1.3 断路器重置
    • 1.2 RateLimiter 限流
    • 1.3 请求重试
  • 2. Resilience4j 结合微服务
    • 2.1 Retry 请求重试
    • 2.2 CircuitBreaker 断路器
    • 2.3 RateLimiter 限流

简介

Resilience4j 是 Spring Cloud Greenwich 版推荐的容错解决方案,相比 Hystrix ,Resilience4j 专为 Java8 以及函数编程而设计。在 Resilience4j 中你用什么可直接添加什么以来就行。
Resilience4j 主要有以下功能:

  1. CircuitBreaker(熔断器)
  2. RateLimiter(限流)
  3. Retry(请求重试)
  4. 限时
  5. 缓存
  6. 信号量的隔离

1.基本用法

首先搭建一个测试环境。新建maven子模,导入pom

        <dependency><groupId>junit</groupId><artifactId>junit</artifactId><version>4.12</version></dependency>

1.1熔断器

添加断路器依赖:

        <dependency><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-circuitbreaker</artifactId><version>0.13.2</version></dependency>

1.1.1 首先看一个正常的断路器:

    @Testpublic void test1() {//获取一个CircuitBreakerRegistry实例,可以调用ofDefaults获取一个CircuitBreakerRegistry实例,也可以自定义属性。CircuitBreakerRegistry registry = CircuitBreakerRegistry.ofDefaults();CircuitBreakerConfig config = CircuitBreakerConfig.custom()//故障率阈值百分比(百分之50),超过这个阈值,断路器就会打开.failureRateThreshold(50)//断路器保持打开的时间,在到达设置的时间之后,断路器会进入到 half open 状态.waitDurationInOpenState(Duration.ofMillis(1000))//当断路器处于half open 状态时,环形缓冲区的大小.ringBufferSizeInHalfOpenState(2).ringBufferSizeInClosedState(2).build();CircuitBreakerRegistry r1 = CircuitBreakerRegistry.of(config);CircuitBreaker cb1 = r1.circuitBreaker("javaboy");//创建断路器CircuitBreaker cb2 = r1.circuitBreaker("javaboy2", config);CheckedFunction0<String> supplier = CircuitBreaker.decorateCheckedSupplier(cb1, () -> "hello resilience4j");Try<String> result = Try.of(supplier).map(v -> v + " hello world");System.out.println(result.isSuccess());System.out.println(result.get());}

在这里插入图片描述

1.1.2 一个异常的断路器:

public void test2() {CircuitBreakerConfig config = CircuitBreakerConfig.custom()//故障率阈值百分比,超过这个阈值,断路器就会打开.failureRateThreshold(50)//断路器保持打开的时间,在到达设置的时间之后,断路器会进入到 half open 状态.waitDurationInOpenState(Duration.ofMillis(1000))//当断路器处于half open 状态时,环形缓冲区的大小.ringBufferSizeInClosedState(2).build();CircuitBreakerRegistry r1 = CircuitBreakerRegistry.of(config);CircuitBreaker cb1 = r1.circuitBreaker("javaboy");System.out.println(cb1.getState());//获取断路器的一个状态cb1.onError(0, new RuntimeException());System.out.println(cb1.getState());//获取断路器的一个状态cb1.onError(0, new RuntimeException());System.out.println(cb1.getState());//获取断路器的一个状态

在这里插入图片描述
把这段代码添加到上面代码的后面,重新测试。

...   
CheckedFunction0<String> supplier = CircuitBreaker.decorateCheckedSupplier(cb1, () -> "hello resilience4j");Try<String> result = Try.of(supplier).map(v -> v + " hello world");System.out.println("result.isSuccess()="+result.isSuccess());System.out.println("result.get()="+result.get());}

如下(由于断路器已经打开了,就无法执行下面的代码了):
在这里插入图片描述

注意:由于 ringBufferSizeInClosedState 的值为2,表示当有两条数据时才会去统计故障率,所以,下面的手动故障测试,至少调用两次 onError,断路器才会打开。

1.1.3 断路器重置

circuitBreaker.reset();

1.2 RateLimiter 限流

RateLimiter 本身和前面的断路器差不多。

 /*** 限流 和断路器类似*/@Testpublic void test3(){RateLimiterConfig build = RateLimiterConfig.custom()// 阈值刷新的时间 1 秒.limitRefreshPeriod(Duration.ofMillis(1000))// 限制频次.limitForPeriod(2)// 限流之后的冷却时间 1秒.timeoutDuration(Duration.ofMillis(1000)).build();RateLimiter limiter = RateLimiter.of("learning", build);CheckedRunnable runnable = RateLimiter.decorateCheckedRunnable(limiter, () -> {System.out.println(new Date());});// 执行4次Try.run(runnable).andThenTry(runnable).andThenTry(runnable).andThenTry(runnable).onFailure(t -> System.out.println(t.getMessage()));}

在这里插入图片描述

1.3 请求重试

先引入依赖:

      <dependency><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-retry</artifactId><version>0.13.2</version></dependency>
    /*** 请求重试*/@Testpublic void test4(){RetryConfig config = RetryConfig.custom()// 重试次数 【小于等于下面的count次数就抛出异常】.maxAttempts(4)// 重试间隔.waitDuration(Duration.ofMillis(500))// 重试异常.retryExceptions(RuntimeException.class).build();Retry retry = Retry.of("leaning1", config);Retry.decorateRunnable(retry, new Runnable() {int count = 0;// 重试功能开启后 执行run方法 若抛出异常 会自动触发重试功能@Overridepublic void run() {if (count++ < 4){System.out.println(count);throw new RuntimeException();}}}).run();}

在这里插入图片描述

2. Resilience4j 结合微服务

Retry、CircuitBreaker、RateLimiter

2.1 Retry 请求重试

首先新建一个Spring boot 项目,创建时,添加如下依赖:
在这里插入图片描述
创建成功后再添加 Resilience4j 的依赖如下:

        <dependency<!--resilience4j-spring-boot2中包含了resilience4j 的所有功能,但是没有配置的功能无法使用,需要将之从依赖中剔除掉  --><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-spring-boot2</artifactId><version>1.2.0</version><exclusions><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-circuitbreaker</artifactId></exclusion><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-ratelimiter</artifactId></exclusion><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-bulkhead</artifactId></exclusion><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-timelimiter</artifactId></exclusion></exclusions></dependency>

resilience4j-spring-boot2中包含了resilience4j 的所有功能,但是没有配置的功能无法使用,需要将之从依赖中剔除掉。
配置yml文件:

resilience4j:retry:retry-aspect-order: 399 # 表示Retry优先级(级别高于比如ratelimiter bulkhead timelimiter) 值越小 优先级 越高backends:retryA: # 设置组名maxRetryAttempts: 5 # 对比之前的案例 重试的次数waitDuration: 500 # 重试等待 500毫秒exponentialBackoffMultiplier: 1.1 # 间隔乘数(场景: 正好每次间隔为1的时候卡顿 它就有用了 间隔就变了 例如 1 1.1 1.21....)retryExceptions:- java.lang.RuntimeException
spring:application:name: resilience4j
server:port: 5000
eureka:client:service-url:defaultZone: http://localhost:1111/eureka

最后创建RestTemplate和HelloService:

@SpringBootApplication
public class Resilience4j2Application {public static void main(String[] args) {SpringApplication.run(Resilience4j2Application.class, args);}@BeanRestTemplate restTemplate(){return new RestTemplate();}
}@Service
@Retry(name = "retryA")//表示要使用的重试策略
public class HelloService {@AutowiredRestTemplate restTemplate;public String hello(){return restTemplate.getForObject("http://127.0.0.1:1113/hello", String.class);}
}@RestController
public class HelloController {@AutowiredHelloService helloService;@GetMapping("/hello")public String hello(){return helloService.hello();}
}

浏览器访问: http:/127.0.0.1:5000/hello ,观看 provider 控制台,发现错误打印了5次,与yml中的配置一致。

2.2 CircuitBreaker 断路器

首先去除掉circuitbreaker 的依赖。然后在yml 文件中配置:

<dependency><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-spring-boot2</artifactId><version>1.2.0</version><exclusions><!-- 没有配置的 先排除 不然会报错 -->
<!--                <exclusion>-->
<!--                    <groupId>io.github.resilience4j</groupId>-->
<!--                    <artifactId>resilience4j-circuitbreaker</artifactId>-->
<!--                </exclusion>--><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-ratelimiter</artifactId></exclusion><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-bulkhead</artifactId></exclusion><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-timelimiter</artifactId></exclusion></exclusions></dependency>
resilience4j:retry:retry-aspect-order: 399 # 表示Retry优先级(级别高于比如ratelimiter bulkhead timelimiter) 值越小 优先级 越高backends:retryA: # 设置组名maxRetryAttempts: 5 # 对比之前的案例 重试的次数waitDuration: 500 # 重试等待 500毫秒exponentialBackoffMultiplier: 1.1 # 间隔乘数(场景: 正好每次间隔为1的时候卡顿 它就有用了 间隔就变了 例如 1 1.1 1.21....)retryExceptions:- java.lang.RuntimeExceptioncircuitbreaker: # 和之前的maven类似instances:cba:ringBufferSizeInHalfOpenState: 3ringBufferSizeInClosedState:  5waitInterval: 5000recordExceptions:- org.springframework.web.client.HttpServerErrorExceptioncircuit-breaker-aspect-order: 398 # 表示 circuitbreaker 优先级,比上面的399小 (先执行当前断路器)
spring:application:name: resilience4j
server:port: 5000
eureka:client:service-url:defaultZone: http://localhost:1111/eureka

配置完成后,用 @CircuitBreaker 注解标记相关方法:

@Service
//@Retry(name = "retryA")//【Retry】表示要使用的重试策略
@CircuitBreaker(name = "cba" , fallbackMethod = "error")
public class HelloService {@AutowiredRestTemplate restTemplate;public String hello(){return restTemplate.getForObject("http://127.0.0.1:1113/hello", String.class);}// 服务降级方法中 不加参数Throwable 会报错提示缺少Throwable 要添加异常参数public String error(Throwable throwable){return "error";}
}

@CircuitBreaker 注解中的 name 属性用来指定 circuitbreaker 配置 , fallbackMethod 属性用来指定服务降级的方法,需要注意的是,服务降级方法中,要添加异常参数 (Throwable)。

2.3 RateLimiter 限流

RateLimiter 作为限流工具,主要在服务端使用,用来保护服务端的接口。
首先在 provider 中添加RateLimiter 依赖:

      <dependency><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-spring-boot2</artifactId><version>1.2.0</version><exclusions><!--  没有配置的 先排除 不然会报错 --><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-circuitbreaker</artifactId></exclusion><!--ratelimiter依赖移除-->
<!--                <exclusion>-->
<!--                    <groupId>io.github.resilience4j</groupId>-->
<!--                    <artifactId>resilience4j-ratelimiter</artifactId>-->
<!--                </exclusion>--><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-bulkhead</artifactId></exclusion><exclusion><groupId>io.github.resilience4j</groupId><artifactId>resilience4j-timelimiter</artifactId></exclusion></exclusions></dependency>

接下来,在 provider 的 application.properties 配置文件中去配置 RateLimiter:

# 这里配置每一秒处理一个请求,多个请求就排队
resilience4j.ratelimiter.limiters.rlA.limit-for-period=1
resilience4j.ratelimiter.limiters.rlA.limit-refresh-period=1s
resilience4j.ratelimiter.limiters.rlA.timeout-duration=1s

配置 provider 的 Controller 层

@RestController
public class HelloController {@Value("${server.port}")Integer port;@GetMapping("/hello")@RateLimiter(name = "rltA") //通过@RateLimiter注解标记该接口限流public String hello(){System.out.println(new Date());return "hello provider:" + port;}
}    

接着在 resilience4j2 客户端模拟多个请求,启动 eureka、provider 、resilience4j 服务,访问 http://127.0.0.1:5000/hello1 查看限流效果。如下:


@RestController
public class HelloController {@AutowiredHelloService helloService;@GetMapping("/hello")public String hello(){return helloService.hello();}
}@Servic
@CircuitBreaker(name = "cba" , fallbackMethod = "error")
public class HelloService {@AutowiredRestTemplate restTemplate;// 限流配置 【模拟多次请求】public String hello(){for (int i = 0; i < 5; i++) {restTemplate.getForObject("http://127.0.0.1:1113/hello", String.class);}return "success ratA";}
}

每秒处理一个请求。
在这里插入图片描述

这篇关于Resilience4j 从入门到放弃的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/274375

相关文章

Spring Security 从入门到进阶系列教程

Spring Security 入门系列 《保护 Web 应用的安全》 《Spring-Security-入门(一):登录与退出》 《Spring-Security-入门(二):基于数据库验证》 《Spring-Security-入门(三):密码加密》 《Spring-Security-入门(四):自定义-Filter》 《Spring-Security-入门(五):在 Sprin

数论入门整理(updating)

一、gcd lcm 基础中的基础,一般用来处理计算第一步什么的,分数化简之类。 LL gcd(LL a, LL b) { return b ? gcd(b, a % b) : a; } <pre name="code" class="cpp">LL lcm(LL a, LL b){LL c = gcd(a, b);return a / c * b;} 例题:

Java 创建图形用户界面(GUI)入门指南(Swing库 JFrame 类)概述

概述 基本概念 Java Swing 的架构 Java Swing 是一个为 Java 设计的 GUI 工具包,是 JAVA 基础类的一部分,基于 Java AWT 构建,提供了一系列轻量级、可定制的图形用户界面(GUI)组件。 与 AWT 相比,Swing 提供了许多比 AWT 更好的屏幕显示元素,更加灵活和可定制,具有更好的跨平台性能。 组件和容器 Java Swing 提供了许多

【IPV6从入门到起飞】5-1 IPV6+Home Assistant(搭建基本环境)

【IPV6从入门到起飞】5-1 IPV6+Home Assistant #搭建基本环境 1 背景2 docker下载 hass3 创建容器4 浏览器访问 hass5 手机APP远程访问hass6 更多玩法 1 背景 既然电脑可以IPV6入站,手机流量可以访问IPV6网络的服务,为什么不在电脑搭建Home Assistant(hass),来控制你的设备呢?@智能家居 @万物互联

poj 2104 and hdu 2665 划分树模板入门题

题意: 给一个数组n(1e5)个数,给一个范围(fr, to, k),求这个范围中第k大的数。 解析: 划分树入门。 bing神的模板。 坑爹的地方是把-l 看成了-1........ 一直re。 代码: poj 2104: #include <iostream>#include <cstdio>#include <cstdlib>#include <al

MySQL-CRUD入门1

文章目录 认识配置文件client节点mysql节点mysqld节点 数据的添加(Create)添加一行数据添加多行数据两种添加数据的效率对比 数据的查询(Retrieve)全列查询指定列查询查询中带有表达式关于字面量关于as重命名 临时表引入distinct去重order by 排序关于NULL 认识配置文件 在我们的MySQL服务安装好了之后, 会有一个配置文件, 也就

音视频入门基础:WAV专题(10)——FFmpeg源码中计算WAV音频文件每个packet的pts、dts的实现

一、引言 从文章《音视频入门基础:WAV专题(6)——通过FFprobe显示WAV音频文件每个数据包的信息》中我们可以知道,通过FFprobe命令可以打印WAV音频文件每个packet(也称为数据包或多媒体包)的信息,这些信息包含该packet的pts、dts: 打印出来的“pts”实际是AVPacket结构体中的成员变量pts,是以AVStream->time_base为单位的显

C语言指针入门 《C语言非常道》

C语言指针入门 《C语言非常道》 作为一个程序员,我接触 C 语言有十年了。有的朋友让我推荐 C 语言的参考书,我不敢乱推荐,尤其是国内作者写的书,往往七拼八凑,漏洞百出。 但是,李忠老师的《C语言非常道》值得一读。对了,李老师有个官网,网址是: 李忠老师官网 最棒的是,有配套的教学视频,可以试看。 试看点这里 接下来言归正传,讲解指针。以下内容很多都参考了李忠老师的《C语言非

MySQL入门到精通

一、创建数据库 CREATE DATABASE 数据库名称; 如果数据库存在,则会提示报错。 二、选择数据库 USE 数据库名称; 三、创建数据表 CREATE TABLE 数据表名称; 四、MySQL数据类型 MySQL支持多种类型,大致可以分为三类:数值、日期/时间和字符串类型 4.1 数值类型 数值类型 类型大小用途INT4Bytes整数值FLOAT4By

【QT】基础入门学习

文章目录 浅析Qt应用程序的主函数使用qDebug()函数常用快捷键Qt 编码风格信号槽连接模型实现方案 信号和槽的工作机制Qt对象树机制 浅析Qt应用程序的主函数 #include "mywindow.h"#include <QApplication>// 程序的入口int main(int argc, char *argv[]){// argc是命令行参数个数,argv是