返回顶部
首页 > 资讯 > 后端开发 > Python >spring boot的健康检查HealthIndicators实战
  • 913
分享到

spring boot的健康检查HealthIndicators实战

2024-04-02 19:04:59 913人浏览 薄情痞子

Python 官方文档:入门教程 => 点击学习

摘要

目录SpringBoot 健康检查HealthIndicatorsspringboot health indicator原理及其使用作用自动配置的Health Indicator分组

springboot 健康检查HealthIndicators

想提供自定义健康信息,你可以注册实现了HealthIndicator接口的Spring beans。

你需要提供一个health()方法的实现,并返回一个Health响应。

Health响应需要包含一个status和可选的用于展示的详情。


import org.springframework.boot.actuate.health.HealthIndicator;
import org.springframework.stereotype.Component;
@Component
public class MyHealth implements HealthIndicator {
@Override
public Health health() {
int errorCode = check(); // perfORM some specific health check
if (errorCode != 0) {
return Health.down().withDetail("Error Code", errorCode).build();
} r
eturn Health.up().build();
}
}

除了Spring Boot预定义的Status类型,Health也可以返回一个代表新的系统状态的自定义Status。

在这种情况下,需要提供一个HealthAggregator接口的自定义实现,或使用management.health.status.order属性配置默认的实现。

例如,假设一个新的,代码为FATAL的Status被用于你的一个HealthIndicator实现中。 为了配置严重程度, 你需要将下面的配

置添加到application属性文件中:


management.health.status.order: DOWN, OUT_OF_SERVICE, UNKNOWN, UP

如果使用Http访问health端点, 你可能想要注册自定义的status, 并使用HealthmvcEndpoint进行映射。 例如, 你可以将

FATAL映射为httpstatus.SERVICE_UNAVAILABLE。

springboot health indicator原理及其使用

作用

sping boot health 可以通过暴露的接口来提供系统及其系统组件是否可用。默认通过/health来访问。返回结果如下:


{
  "status": "UP",
  "discoveryComposite": {
    "description": "spring cloud Eureka Discovery Client",
    "status": "UP",
    "discoveryClient": {
      "description": "Spring Cloud Eureka Discovery Client",
      "status": "UP",
      "services": [
        "..."
      ]
    },
    "eureka": {
      "description": "Remote status from Eureka server",
      "status": "UP",
      "applications": {
        "AOMS-MOBILE": 1,
        "DATA-EXCHANGE": 1,
        "CLOUD-GATEWAY": 2,
        "AOMS": 1,
        "AOMS-AIIS": 0,
        "AOMS-EUREKA": 2
      }
    }
  },
  "diskSpace": {
    "status": "UP",
    "total": 313759301632,
    "free": 291947081728,
    "threshold": 10485760
  },
  "refreshScope": {
    "status": "UP"
  },
  "hystrix": {
    "status": "UP"
  }
}

状态说明:

  • UNKNOWN:未知状态,映射HTTP状态码为503
  • UP:正常,映射HTTP状态码为200
  • DOWN:失败,映射HTTP状态码为503
  • OUT_OF_SERVICE:不能对外提供服务,但是服务正常。映射HTTP状态码为200

注意:UNKNOWN,DOWN,OUT_OF_SERVICE在为微服务环境下会导致注册中心中的实例也为down状态,请根据具体的业务来正确使用状态值。

自动配置的Health Indicator

自动配置的HealthIndicator主要有以下内容:

Key Name Description
cassandra CassandraDriverHealthIndicator Checks that a Cassandra database is up.
coucHBase CouchbaseHealthIndicator Checks that a Couchbase cluster is up.
datasource DataSourceHealthIndicator Checks that a connection to DataSource can be obtained.
diskspace DiskSpaceHealthIndicator Checks for low disk space.
elasticsearch ElasticsearchRestHealthIndicator Checks that an Elasticsearch cluster is up.
hazelcast HazelcastHealthIndicator Checks that a Hazelcast server is up.
influxdb InfluxDbHealthIndicator Checks that an InfluxDB server is up.
jms JmsHealthIndicator Checks that a JMS broker is up.
ldap LdapHealthIndicator Checks that an LDAP server is up.
mail MailHealthIndicator Checks that a mail server is up.
monGo MongoHealthIndicator Checks that a Mongo database is up.
neo4j Neo4jHealthIndicator Checks that a Neo4j database is up.
ping PingHealthIndicator Always responds with UP.
rabbit RabbitHealthIndicator Checks that a Rabbit server is up.
redis RedisHealthIndicator Checks that a Redis server is up.
solr SolrHealthIndicator Checks that a Solr server is up.

分组

可以通过一个别名来启用一组指标的访问。配置的格式如下:


management.endpoint.health.group.<name>
//demo:
management.endpoint.health.group.mysys.include=db,redis,mail
management.endpoint.health.group.custom.exclude=rabbit

如何管理Health Indicator

开启

可以通过management.health.key.enabled来启用key对应的indicator。例如:


management.health.db.enabled=true

关闭


management.health.db.enabled=false

RedisHealthIndicator源码解析

下面,通过RedisHealthIndicator源码来为什么可以这么写。

代码结构

自动配置的health indicator有HealthIndicator和HealthIndicatorAutoConfiguration两部分组成。

HealthIndicator所在包在org.springframework.boot.actuate,

HealthIndicatorAutoConfiguration所在包在org.springframework.boot.actuate.autoconfigure下


//RedisHealthIndicator.java
public class RedisHealthIndicator extends AbstractHealthIndicator {
	static final String VERSION = "version";
	static final String REDIS_VERSION = "redis_version";
	private final RedisConnectionFactory redisConnectionFactory;
	public RedisHealthIndicator(RedisConnectionFactory connectionFactory) {
		super("Redis health check failed");
		Assert.notNull(connectionFactory, "ConnectionFactory must not be null");
		this.redisConnectionFactory = connectionFactory;
	}
	@Override
	protected void doHealthCheck(Health.Builder builder) throws Exception {
		RedisConnection connection = RedisConnectionUtils
				.getConnection(this.redisConnectionFactory);
		try {
			if (connection instanceof RedisClusterConnection) {
				ClusterInfo clusterInfo = ((RedisClusterConnection) connection)
						.clusterGetClusterInfo();
				builder.up().withDetail("cluster_size", clusterInfo.getClusterSize())
						.withDetail("slots_up", clusterInfo.getSlotsOk())
						.withDetail("slots_fail", clusterInfo.getSlotsFail());
			}
			else {
				Properties info = connection.info();
				builder.up().withDetail(VERSION, info.getProperty(REDIS_VERSION));
			}
		}
		finally {
			RedisConnectionUtils.releaseConnection(connection,
					this.redisConnectionFactory);
		}
	}
}

主要实现doHealthCheck方法来实现具体的判断逻辑。注意,操作完成后在finally中释放资源。

在父类AbstractHealthIndicator中,对doHealthCheck进行了try catch,如果出现异常,则返回Down状态。


 //AbstractHealthIndicator.java
 @Override
 public final Health health() {
  Health.Builder builder = new Health.Builder();
  try {
   doHealthCheck(builder);
  }
  catch (Exception ex) {
   if (this.logger.isWarnEnabled()) {
    String message = this.healthCheckFailedMessage.apply(ex);
    this.logger.warn(StringUtils.hasText(message) ? message : DEFAULT_MESSAGE,
      ex);
   }
   builder.down(ex);
  }
  return builder.build();
 }

RedisHealthIndicatorAutoConfiguration完成RedisHealthIndicator的自动配置


@Configuration
@ConditionalOnClass(RedisConnectionFactory.class)
@ConditionalOnBean(RedisConnectionFactory.class)
@ConditionalOnEnabledHealthIndicator("redis")
@AutoConfigureBefore(HealthIndicatorAutoConfiguration.class)
@AutoConfigureAfter({ RedisAutoConfiguration.class,
  RedisReactiveHealthIndicatorAutoConfiguration.class })
public class RedisHealthIndicatorAutoConfiguration extends
  CompositeHealthIndicatorConfiguration<RedisHealthIndicator, RedisConnectionFactory> {
 private final Map<String, RedisConnectionFactory> redisConnectionFactories;
 public RedisHealthIndicatorAutoConfiguration(
   Map<String, RedisConnectionFactory> redisConnectionFactories) {
  this.redisConnectionFactories = redisConnectionFactories;
 }
 @Bean
 @ConditionalOnMissingBean(name = "redisHealthIndicator")
 public HealthIndicator redisHealthIndicator() {
  return createHealthIndicator(this.redisConnectionFactories);
 }
}

重点说明ConditionalOnEnabledHealthIndicator:如果management.health..enabled为true,则生效。

CompositeHealthIndicatorConfiguration 中会通过HealthIndicatorReGIStry注册创建的HealthIndicator

自定义Indicator


@Component
@ConditionalOnProperty(name="spring.dfs.http.send-url")
@Slf4j
public class DfsHealthIndicator implements HealthIndicator {
    @Value("${spring.dfs.http.send-url}")
    private String dsfSendUrl;
    @Override
    public Health health() {
        log.debug("正在检查dfs配置项...");
        log.debug("dfs 请求地址:{}",dsfSendUrl);
        Health.Builder up = Health.up().withDetail("url", dsfSendUrl);
        try {
            HttpUtils.telnet(StringUtils.getIpFromUrl(dsfSendUrl),StringUtils.getPortFromUrl(dsfSendUrl));
            return up.build();
        } catch (IOException e) {
            e.printStackTrace();
            log.error("DFS配置项错误或网络超时");
            return up.withException(e).build();
        }
    }
}

返回值:


{
    "dfs": {
    "status": "UP",
    "url": "10.254.131.197:8088",
    "error": "java.net.ConnectException: Connection refused (Connection refused)"
    }
}

以上为个人经验,希望能给大家一个参考,也希望大家多多支持编程网。

--结束END--

本文标题: spring boot的健康检查HealthIndicators实战

本文链接: https://lsjlt.com/news/154833.html(转载时请注明来源链接)

有问题或投稿请发送至: 邮箱/279061341@qq.com    QQ/279061341

猜你喜欢
  • spring boot的健康检查HealthIndicators实战
    目录springboot 健康检查HealthIndicatorsspringboot health indicator原理及其使用作用自动配置的Health Indicator分组...
    99+
    2024-04-02
  • Spring Boot Actuator自定义健康检查教程
    健康检查是Spring Boot Actuator中重要端点之一,可以非常容易查看应用运行至状态。本文在前文的基础上介绍如何自定义健康检查。 1. 概述 本节我们简单说明下依赖及启用...
    99+
    2024-04-02
  • 关于Spring Cloud健康检查的陷阱
    SpringCloud健康检查的陷阱 健康检查 基于Spring Boot Actuator的健康检查是Spring Cloud微服务的必备组件,用来确保我们的服务是否可用。 引入 ...
    99+
    2024-04-02
  • SpringBoot Admin健康检查功能的实现
    目录admin实现admin功能创建客户端主动上报的服务端实现效果异常通知邮件通知其他通知代码地址admin 监控检查,检查的是什么了。检查的是应用实例状态,说白了就是被查服务提供信...
    99+
    2024-04-02
  • 详解SpringBoot健康检查的实现原理
    目录自动装配健康检查HealthEndpointAutoConfigurationSpringBoot自动装配的套路,直接看 spring.factories 文件,当我们使用的时候...
    99+
    2024-04-02
  • kubernetes中如何实现Pod健康检查
    小编给大家分享一下kubernetes中如何实现Pod健康检查,相信大部分人都还不怎么了解,因此分享这篇文章给大家参考一下,希望大家阅读完这篇文章后大有收获,下面让我们一起去了解一下吧!一:前言对Pod的健康状态检查可以通过两类探针来检查:...
    99+
    2023-06-04
  • 怎么在ASP.Net Core中实现健康检查
    小编给大家分享一下怎么在ASP.Net Core中实现健康检查,相信大部分人都还不怎么了解,因此分享这篇文章给大家参考一下,希望大家阅读完这篇文章后大有收获,下面让我们一起去了解一下吧!健康检查 常用于判断一个应用程序能否对 request...
    99+
    2023-06-14
  • DataGuard健康检查的命令有哪些
    本篇内容介绍了“DataGuard健康检查的命令有哪些”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够学有所成!一、&...
    99+
    2024-04-02
  • 详解如何在ASP.Net Core中实现健康检查
    健康检查 常用于判断一个应用程序能否对 request 请求进行响应,ASP.Net Core 2.2 中引入了 健康检查 中间件用于报告应用程序的健康状态。 ASP.Net Cor...
    99+
    2024-04-02
  • crystaldiskinfo检查硬盘健康的方法是什么
    本篇内容介绍了“crystaldiskinfo检查硬盘健康的方法是什么”的有关知识,在实际案例的操作过程中,不少人都会遇到这样的困境,接下来就让小编带领大家学习一下如何处理这些情况吧!希望大家仔细阅读,能够...
    99+
    2023-02-09
    crystaldiskinfo
  • SpringBoot actuator 健康检查不通过的解决方案
    SpringBoot actuator 健康检查不通过 今天遇到有个服务能够注册成功,但是健康检查不通过,通过浏览器访问健康检查的url,chrome的network一直显示pend...
    99+
    2024-04-02
  • MySQL数据库健康检查的方法是什么
    MySQL数据库的健康检查可以通过以下几种方法来进行: 使用MySQL自带的工具:MySQL自带了一些工具可以用于检查数据库的健...
    99+
    2024-04-30
    MySQL
  • 如何使用 Golang 构建 RESTful API 并实现健康检查?
    使用 golang 构建 restful api 并实现健康检查:构建 restful api:创建新项目,定义数据模型,定义路由,实现处理程序。实现健康检查:定义健康检查端点,实现健康...
    99+
    2024-05-16
    golang git
  • Nginx负载均衡的任务调度与健康检查
    引言:在现代互联网应用中,高并发和性能稳定性往往是重要的考量因素。Nginx作为一款高性能的HTTP服务器和反向代理服务器,除了提供静态文件服务之外,它还可以用于负载均衡,分发请求到多个后端服务器上。本文将讨论Nginx负载均衡的任务调度与...
    99+
    2023-10-21
    nginx 负载均衡 健康检查
  • SpringBoot-Admin实现微服务监控+健康检查+钉钉告警
    基于SpringCloud微服务平台,进行服务实例监控及健康检查,注册中心为eureka,SpringBoot提供了很好的组件SpringBoot Admin,2.X版本直接可以配置...
    99+
    2024-04-02
  • 什么是健康检查在负载均衡中的作用
    健康检查在负载均衡中的作用是用来监测后端服务器的运行状态,确保只有正常运行的服务器才会被负载均衡器转发请求。通过定期发送请求到后端服...
    99+
    2024-04-17
    负载均衡
  • 网站健康检查:用 HTML DOCTYPE 声明测试你的基础
    HTML DOCTYPE 浏览器兼容性 网页标准 HTML DOCTYPE 声明的重要性 HTML DOCTYPE 声明是 HTML 文档的第一行,它告诉浏览器该文档遵循哪种 HTML 标准。通过声明特定的 DOCTYPE,浏览器可以...
    99+
    2024-02-29
    HTML DOCTYPE 声明是网站重要的基础 对浏览器解析页面至关重要。通过测试 DOCTYPE 声明 可以发现潜在的兼容性问题 确保网站正常运行。
  • 基于Zabbix的深度学习服务器健康状态检查
    Zabbix是一个开源的网络监控系统,可以用来监控服务器的健康状态。结合深度学习技术,可以更准确地检测服务器的健康状态,提高监控的精...
    99+
    2024-04-24
    Zabbix
  • SpringBoot-Admin如何实现微服务监控+健康检查+钉钉告警
    小编给大家分享一下SpringBoot-Admin如何实现微服务监控+健康检查+钉钉告警,希望大家阅读完这篇文章之后都有所收获,下面让我们一起去探讨吧!基于SpringCloud微服务平台,进行服务实例监控及健康检查,注册中心为eureka...
    99+
    2023-06-25
  • 服务器健康检查:掌握服务器硬件监控的艺术
    服务器健康检查是系统管理和网络可靠性中至关重要的任务。通过定期监控服务器硬件,管理员可以识别潜在问题,防止宕机,并优化服务器性能。以下是掌握服务器硬件监控的关键步骤: 1. 确定监控指标 服务器硬件监控的目标是检测可能影响服务器性能和可...
    99+
    2024-04-02
软考高级职称资格查询
编程网,编程工程师的家园,是目前国内优秀的开源技术社区之一,形成了由开源软件库、代码分享、资讯、协作翻译、讨论区和博客等几大频道内容,为IT开发者提供了一个发现、使用、并交流开源技术的平台。
  • 官方手机版

  • 微信公众号

  • 商务合作