Go微服务接入Prometheus+Alertmanager实现健康报警需三步:1.用promhttp暴露基础与业务健康指标;2.配置Prometheus抓取/metrics;3.在Alertmanager中定义规则并配置通知渠道,辅以超时保护、持续异常判断等可靠性优化。

在 Go 微服务中接入 Prometheus + Alertmanager 实现健康报警,核心是三步:暴露指标、采集指标、触发告警。关键不在代码多复杂,而在指标设计是否反映真实健康状态,以及告警规则是否避免误报和漏报。
1. 在 Go 服务中暴露健康指标(用 promhttp)
不需要重写整个监控逻辑,直接用官方 prometheus/client_golang 包即可。重点暴露两类指标:
-
基础运行指标:HTTP 请求量、延迟、错误数(用
promhttp.InstrumentHandler自动埋点) -
业务健康指标:数据库连接是否可用、缓存是否响应、下游服务连通性(自定义
Gauge或Counter)
示例:添加一个简单健康检查 Gauge
import (
"github.com/prometheus/client_golang/prometheus"
"github.com/prometheus/client_golang/prometheus/promhttp"
)
var (
dbUp = prometheus.NewGauge(prometheus.GaugeOpts{
Name: "service_db_up",
Help: "Whether database connection is healthy (1=up, 0=down)",
})
)
func init() {
prometheus.MustRegister(dbUp)
}
func checkDBHealth() {
// 实际检测逻辑,比如 ping 数据库
if err := db.Ping(); err != nil {
dbUp.Set(0)
} else {
dbUp.Set(1)
}
}
然后在 HTTP 路由中暴露 /metrics:
立即学习“go语言免费学习笔记(深入)”;
http.Handle("/metrics", promhttp.Handler())
启动服务后访问 http://localhost:8080/metrics 应能看到 service_db_up 1 这类指标。
2. 配置 Prometheus 抓取 Go 服务指标
在 prometheus.yml 中添加 job,指向你的 Go 服务地址:
scrape_configs:
- job_name: 'go-microservice'
static_configs:
- targets: ['localhost:8080']
metrics_path: '/metrics'
scrape_interval: 15s
重启 Prometheus,打开 Web UI(http://localhost:9090),输入 service_db_up 应能查到最新值。如果为 0,说明健康检查失败——这是后续告警的依据。
3. 用 Alertmanager 定义健康告警规则
在 Prometheus 中写告警规则(如 alerts.yml):
groups:
- name: service-health-alerts
rules:
- alert: ServiceDatabaseDown
expr: service_db_up == 0
for: 2m
labels:
severity: critical
service: user-api
annotations:
summary: "Database connection lost for {{ $labels.service }}"
description: "Service {{ $labels.service }} cannot reach DB for over 2 minutes."
并在 prometheus.yml 中加载该规则:
rule_files: - "alerts.yml"
同时配置 Alertmanager 地址:
alerting:
alertmanagers:
- static_configs:
- targets: ['localhost:9093']
启动 Alertmanager,并配置通知渠道(如邮件、Webhook、钉钉/企微机器人)。例如发到企业微信:
receivers:
- name: 'wechat-alerts'
wechat_configs:
- send_resolved: true
api_url: 'https://qyapi.weixin.qq.com/cgi-bin/webhook/send?key=xxx'
message: '{{ .CommonAnnotations.summary }}\n{{ .CommonAnnotations.description }}'
4. 补充建议:让健康报警更可靠
光有 dbUp == 0 不够,生产中建议组合判断:
- 加超时保护:用
absent(service_db_up[1m])检测指标长时间未上报(可能进程挂了) - 避免瞬时抖动:用
avg_over_time(service_db_up[5m]) 判断持续异常 - 区分环境:在规则里用
label_values(job)或environment标签隔离测试/生产告警 - 设置静默期:对已知维护窗口,通过 Alertmanager UI 或 API 创建静默(silence)
基本上就这些。不复杂但容易忽略的是:指标命名要一致、标签要语义清晰、告警阈值需结合实际 SLA 调整,而不是照搬模板。










