摘要


Spring Cloud Alibaba 致力于提供微服务开发的一站式解决方案,Sentinel 作为其核心组件之一,具有熔断与限流等一系列服务保护功能,本文将对其用法进行详细介绍。

Sentinel简介


随着微服务的流行,服务和服务之间的稳定性变得越来越重要。 Sentinel 以流量为切入点,从流量控制、熔断降级、系统负载保护等多个维度保护服务的稳定性。

Sentinel具有如下特性:

  • 丰富的应用场景:承接了阿里巴巴近 10 年的双十一大促流- -量的核心场景,例如秒杀,可以实时熔断下游不可用应用;
    完备的实时监控:同时提供实时的监控功能。可以在控制台中看到接入应用的单台机器秒级数据,甚至 500 台以下规模的集群的汇总运行情况;
  • 广泛的开源生态:提供开箱即用的与其它开源框架/库的整合模块,例如与 Spring Cloud、Dubbo、gRPC 的整合;
  • 完善的 SPI 扩展点:提供简单易用、完善的 SPI 扩展点。您可以通过实现扩展点,快速的定制逻辑。

安装Sentinel控制台

Sentinel控制台是一个轻量级的控制台应用,它可用于实时查看单机资源监控及集群资源汇总,并提供了一系列的规则管理功能,如流控规则、降级规则、热点规则等。

  • 我们先从官网下载Sentinel,这里下载的是sentinel-dashboard-1.6.3.jar文件,下载地址:https://github.com/alibaba/Sentinel/releases

  • 下载完成后在命令行输入如下命令运行Sentinel控制台:

java -jar sentinel-dashboard-1.6.3.jar

  • Sentinel控制台默认运行在8080端口上,登录账号密码均为-sentinel,通过如下地址可以进行访问:http://localhost:8080
  • Sentinel控制台可以查看单台机器的实时监控数据。

创建sentinel-service模块


这里我们创建一个sentinel-service模块,用于演示Sentinel的熔断与限流功能。

  • 在pom.xml中添加相关依赖,这里我们使用Nacos作为注册中心,所以需要同时添加Nacos的依赖:
<dependency><groupId>com.alibaba.cloud</groupId><artifactId>spring-cloud-starter-alibaba-nacos-discovery</artifactId>
</dependency>
<dependency><groupId>com.alibaba.cloud</groupId><artifactId>spring-cloud-starter-alibaba-sentinel</artifactId>
</dependency>
  • 在application.yml中添加相关配置,主要是配置了Nacos和Sentinel控制台的地址:
server:port: 8401
spring:application:name: sentinel-servicecloud:nacos:discovery:server-addr: localhost:8848 #配置Nacos地址sentinel:transport:dashboard: localhost:8080 #配置sentinel dashboard地址port: 8719
service-url:user-service: http://nacos-user-service
management:endpoints:web:exposure:include: '*'

限流功能


Sentinel Starter 默认为所有的 HTTP 服务提供了限流埋点,我们也可以通过使用@SentinelResource来自定义一些限流行为。

创建RateLimitController类

用于测试熔断和限流功能。

/*** 限流功能* Created by macro on 2019/11/7.*/
@RestController
@RequestMapping("/rateLimit")
public class RateLimitController {/*** 按资源名称限流,需要指定限流处理逻辑*/@GetMapping("/byResource")@SentinelResource(value = "byResource",blockHandler = "handleException")public CommonResult byResource() {return new CommonResult("按资源名称限流", 200);}/*** 按URL限流,有默认的限流处理逻辑*/@GetMapping("/byUrl")@SentinelResource(value = "byUrl",blockHandler = "handleException")public CommonResult byUrl() {return new CommonResult("按url限流", 200);}public CommonResult handleException(BlockException exception){return new CommonResult(exception.getClass().getCanonicalName(),200);}}
根据资源名称限流

我们可以根据@SentinelResource注解中定义的value(资源名称)来进行限流操作,但是需要指定限流处理逻辑。
流控规则可以在Sentinel控制台进行配置,由于我们使用了Nacos注册中心,我们先启动Nacos和sentinel-service;

  • 由于Sentinel采用的懒加载规则,需要我们先访问下接口,Sentinel控制台中才会有对应服务信息,我们先访问下该接口:http://localhost:8401/rateLimit/byResource

  • 在Sentinel控制台配置流控规则,根据@SentinelResource注解的value值:

  • 快速访问上面的接口,可以发现返回了自己定义的限流处理信息

根据URL限流

我们还可以通过访问的URL来限流,会返回默认的限流处理信息。

  • 在Sentinel控制台配置流控规则,使用访问的URL:
  • 多次访问该接口,会返回默认的限流处理结果:http://localhost:8401/rateLimit/byUrl
自定义限流处理逻辑

我们可以自定义通用的限流处理逻辑,然后在@SentinelResource中指定。

  • 创建CustomBlockHandler类用于自定义限流处理逻辑:
/*** Created by macro on 2019/11/7.*/
public class CustomBlockHandler {public CommonResult handleException(BlockException exception){return new CommonResult("自定义限流信息",200);}
}
复制代码
在RateLimitController中使用自定义限流处理逻辑:
/*** 限流功能* Created by macro on 2019/11/7.*/
@RestController
@RequestMapping("/rateLimit")
public class RateLimitController {/*** 自定义通用的限流处理逻辑*/@GetMapping("/customBlockHandler")@SentinelResource(value = "customBlockHandler", blockHandler = "handleException",blockHandlerClass = CustomBlockHandler.class)public CommonResult blockHandler() {return new CommonResult("限流成功", 200);}}

熔断功能


Sentinel 支持对服务间调用进行保护,对故障应用进行熔断操作,这里我们使用RestTemplate来调用nacos-user-service服务所提供的接口来演示下该功能。

  • 首先我们需要使用@SentinelRestTemplate来包装下RestTemplate实例:
/*** Created by macro on 2019/8/29.*/
@Configuration
public class RibbonConfig {@Bean@SentinelRestTemplatepublic RestTemplate restTemplate(){return new RestTemplate();}
}
复制代码
添加CircleBreakerController类,定义对nacos-user-service提供接口的调用:
/*** 熔断功能* Created by macro on 2019/11/7.*/
@RestController
@RequestMapping("/breaker")
public class CircleBreakerController {private Logger LOGGER = LoggerFactory.getLogger(CircleBreakerController.class);@Autowiredprivate RestTemplate restTemplate;@Value("${service-url.user-service}")private String userServiceUrl;@RequestMapping("/fallback/{id}")@SentinelResource(value = "fallback",fallback = "handleFallback")public CommonResult fallback(@PathVariable Long id) {return restTemplate.getForObject(userServiceUrl + "/user/{1}", CommonResult.class, id);}@RequestMapping("/fallbackException/{id}")@SentinelResource(value = "fallbackException",fallback = "handleFallback2", exceptionsToIgnore = {NullPointerException.class})public CommonResult fallbackException(@PathVariable Long id) {if (id == 1) {throw new IndexOutOfBoundsException();} else if (id == 2) {throw new NullPointerException();}return restTemplate.getForObject(userServiceUrl + "/user/{1}", CommonResult.class, id);}public CommonResult handleFallback(Long id) {User defaultUser = new User(-1L, "defaultUser", "123456");return new CommonResult<>(defaultUser,"服务降级返回",200);}public CommonResult handleFallback2(@PathVariable Long id, Throwable e) {LOGGER.error("handleFallback2 id:{},throwable class:{}", id, e.getClass());User defaultUser = new User(-2L, "defaultUser2", "123456");return new CommonResult<>(defaultUser,"服务降级返回",200);}
}
  • 启动nacos-user-service和sentinel-service服务:

  • 由于我们并没有在nacos-user-service中定义id为4的用户,所有访问如下接口会返回服务降级结果:http://localhost:8401/breaker/fallback/4

{"data": {"id": -1,"username": "defaultUser","password": "123456"},"message": "服务降级返回","code": 200
}
  • 由于我们使用了exceptionsToIgnore参数忽略了NullPointerException,所以我们访问接口报空指针时不会发生服务降级:http://localhost:8401/breaker/fallbackException/2

与Feign结合使用


Sentinel也适配了Feign组件,我们使用Feign来进行服务间调用时,也可以使用它来进行熔断。

  • 首先我们需要在pom.xml中添加Feign相关依赖:
<dependency><groupId>org.springframework.cloud</groupId><artifactId>spring-cloud-starter-openfeign</artifactId>
</dependency>
  • 在application.yml中打开Sentinel对Feign的支持:
feign:sentinel:enabled: true #打开sentinel对feign的支持
  • 在应用启动类上添加@EnableFeignClients启动Feign的功能;

  • 创建一个UserService接口,用于定义对nacos-user-service服务的调用:

/*** Created by macro on 2019/9/5.*/
@FeignClient(value = "nacos-user-service",fallback = UserFallbackService.class)
public interface UserService {@PostMapping("/user/create")CommonResult create(@RequestBody User user);@GetMapping("/user/{id}")CommonResult<User> getUser(@PathVariable Long id);@GetMapping("/user/getByUsername")CommonResult<User> getByUsername(@RequestParam String username);@PostMapping("/user/update")CommonResult update(@RequestBody User user);@PostMapping("/user/delete/{id}")CommonResult delete(@PathVariable Long id);
}
  • 创建UserFallbackService类实现UserService接口,用于处理服务降级逻辑:
/*** Created by macro on 2019/9/5.*/
@Component
public class UserFallbackService implements UserService {@Overridepublic CommonResult create(User user) {User defaultUser = new User(-1L, "defaultUser", "123456");return new CommonResult<>(defaultUser,"服务降级返回",200);}@Overridepublic CommonResult<User> getUser(Long id) {User defaultUser = new User(-1L, "defaultUser", "123456");return new CommonResult<>(defaultUser,"服务降级返回",200);}@Overridepublic CommonResult<User> getByUsername(String username) {User defaultUser = new User(-1L, "defaultUser", "123456");return new CommonResult<>(defaultUser,"服务降级返回",200);}@Overridepublic CommonResult update(User user) {return new CommonResult("调用失败,服务被降级",500);}@Overridepublic CommonResult delete(Long id) {return new CommonResult("调用失败,服务被降级",500);}
}
  • 在UserFeignController中使用UserService通过Feign调用nacos-user-service服务中的接口:
/*** Created by macro on 2019/8/29.*/
@RestController
@RequestMapping("/user")
public class UserFeignController {@Autowiredprivate UserService userService;@GetMapping("/{id}")public CommonResult getUser(@PathVariable Long id) {return userService.getUser(id);}@GetMapping("/getByUsername")public CommonResult getByUsername(@RequestParam String username) {return userService.getByUsername(username);}@PostMapping("/create")public CommonResult create(@RequestBody User user) {return userService.create(user);}@PostMapping("/update")public CommonResult update(@RequestBody User user) {return userService.update(user);}@PostMapping("/delete/{id}")public CommonResult delete(@PathVariable Long id) {return userService.delete(id);}
}
  • 调用如下接口会发生服务降级,返回服务降级处理信息:
    http://localhost:8401/user/4
{"data": {"id": -1,"username": "defaultUser","password": "123456"},"message": "服务降级返回","code": 200
}

使用Nacos存储规则


默认情况下,当我们在Sentinel控制台中配置规则时,控制台推送规则方式是通过API将规则推送至客户端并直接更新到内存中。一旦我们重启应用,规则将消失。下面我们介绍下如何将配置规则进行持久化,以存储到Nacos为例。

原理示意图
  • 首先我们直接在配置中心创建规则,配置中心将规则推送到客户端;

  • Sentinel控制台也从配置中心去获取配置信息。

功能演示
  • 先在pom.xml中添加相关依赖:
<dependency><groupId>com.alibaba.csp</groupId><artifactId>sentinel-datasource-nacos</artifactId>
</dependency>
  • 修改application.yml配置文件,添加Nacos数据源配置:
spring:cloud:sentinel:datasource:ds1:nacos:server-addr: localhost:8848dataId: ${spring.application.name}-sentinelgroupId: DEFAULT_GROUPdata-type: jsonrule-type: flow

在Nacos中添加配置:
添加配置信息如下:

[{"resource": "/rateLimit/byUrl","limitApp": "default","grade": 1,"count": 1,"strategy": 0,"controlBehavior": 0,"clusterMode": false}
]
相关参数解释:
  • resource:资源名称;

  • limitApp:来源应用;

  • grade:阈值类型,0表示线程数,1表示QPS;

  • count:单机阈值;

  • strategy:流控模式,0表示直接,1表示关联,2表示链路;

  • controlBehavior:流控效果,0表示快速失败,1表示Warm Up,2表示排队等待;

  • clusterMode:是否集群。

  • 发现Sentinel控制台已经有了如下限流规则:

  • 快速访问测试接口,可以发现返回了限流处理信息

参考资料


Spring Cloud Alibaba 官方文档:https://github.com/alibaba/spring-cloud-alibaba/wiki

使用到的模块


springcloud-learning
├── nacos-user-service -- 注册到nacos的提供User对象CRUD接口的服务
└── sentinel-service -- sentinel功能测试服务

项目源码地址

https://github.com/macrozheng/springcloud-learning

Spring Cloud Alibaba:Sentinel实现熔断与限流相关推荐

  1. 【Spring Cloud Alibaba Sentinel 实现熔断与限流】 —— 每天一点小知识

  2. SpringCloud Day12---SpringCloud Alibaba Sentinel 服务熔断与限流

    文章目录 15. SpringCloud Alibaba Sentinel实现熔断与限流 15.1 概述 15.1.1 官网 15.1.2 介绍 15.1.3 去哪下 15.1.4 能干嘛 15.1. ...

  3. springcloud(十六)--SpringCloud Alibaba Sentinel实现熔断与限流

    Sentinel实现熔断与限流 一.Sentinel 二.安装Sentinel控制台 Sentinel安装步骤: ①下载 ②运行命令 ③访问sentinel管理界面 三.初始化演示工程 1.启动Nao ...

  4. SpringCloud Alibaba Sentinel实现熔断与限流

    服务使用中的各种问题 服务雪崩   服务降级   服务熔断   服务限流 安装Sentinel sentinel和项目必须在同一个ip下   sentinel组件由2部分构成     后台     前 ...

  5. SpringCloud Alibaba Sentinel实现熔断与限流-微服务(三十三)

    @SentinelResource 按资源名称限流+后续处理 启动Nacos成功 http://localhost:8848/nacos/#/login 启动Sentinel成功 java -jar ...

  6. SpringCloud Alibaba Sentinel实现熔断与限流(下)

    在上一篇讲了sentinel的介绍,安装Sentinel控制台.初始化演示工以及程流控规则 接下来学习熔断规则,热点key限流,系统规则,@SentinelResource注解,服务熔断功能以及规则持 ...

  7. SpringCloud Alibaba Sentinel实现熔断与限流-微服务(三十四)

    服务熔断功能 sentinel整合ribbon+openFeign+fallback Ribbon系列 启动nacos和sentinel 提供者9003/9004 新建cloudalibaba-pro ...

  8. 【SpringCloud】Spring cloud Alibaba Sentinel 服务熔断

    1.概述 博客:https://www.bilibili.com/video/BV18E411x7eT?p=133&spm_id_from=pageDriver 本次案例结构图如下 新建2个项 ...

  9. Spring Cloud Alibaba | Sentinel: 服务限流高级篇

    Spring Cloud Alibaba | Sentinel: 服务限流高级篇 Springboot: 2.1.6.RELEASE SpringCloud: Greenwich.SR1 如无特殊说明 ...

最新文章

  1. SuperGLUE和GLUE双料冠军!图灵T-NLRv5:MNLI和RTE首次达到人类水平
  2. java Servlet学习笔记
  3. 为什么分布式一定要有消息队列?
  4. sql查询远程数据库的表的数据并填充到本地数据库的表
  5. javascript 声明变量var、let、const详解及示例
  6. linux xargs命令的使用及其与exec、管道的区别
  7. 漫画|你还记得原生的JDBC怎么连接数据库吗?
  8. C#隐藏桌面图标和任务栏
  9. Linux 服务器程序规范、服务器日志、用户、进程间的关系
  10. Java从零开始学十四(包和访问控制)
  11. 程序导致IIS服务器应用程序池停止
  12. 撬动百亿VRAR产业,让VR们“造”起来
  13. php原生读取excel文件夹,原生php实现excel文件读写的方法分析php技巧
  14. 从零开始学android开发-创建第一个android项目
  15. 周边pd是什么意思_pd是什么意思?饭圈说的pd是什么意思
  16. 编程ING:人人都能学会程序设计
  17. 三通道HART / Modbus网关HTM-631
  18. 基于ARM9的无线电台网络控制系统的设计与研究
  19. 矩阵方程的计算求解(Matlab实现)
  20. 数仓可视化,低代码开发平台

热门文章

  1. [z]如何在一台windows主机上安装多个mysql服务
  2. 7个优秀的javascript资源
  3. 华为路由器配置默认路由为什么配偶的下一跳不可达也可以_静态路由特性
  4. html图片postmultipart,sendmail-MIMEText-MIMEImage-MIMEMultipart.py——发送带图片的HTML格式报表...
  5. Maven_1.了解Maven以及其安装配置
  6. mysql汉字占几个字符_mysql和oracle的一个汉字占几个字符
  7. mysql segmentation fault_mysql Segmentation fault的问题,求教
  8. word服务器草稿位置有必要更改么,如何改变WIN10常用文档的默认位置?真的有必要更改吗?...
  9. vue修改html片段的样式无效,vue 组件中添加样式不生效的解决方法
  10. 容器部署不适合文件服务器,建议使用内置容器部署War文件与可执行jar