Eureka服务发现协议允许使用Eureka Rest API检索出Prometheus需要监控的targets,Prometheus会定时周期性的从Eureka调用Eureka Rest API,并将每个应用实例创建出一个target。
Eureka服务发现协议支持对如下元标签进行relabeling:
(资料图)
__meta_eureka_app_name: the name of the app__meta_eureka_app_instance_id: the ID of the app instance__meta_eureka_app_instance_hostname: the hostname of the instance__meta_eureka_app_instance_homepage_url: the homepage url of the app instance__meta_eureka_app_instance_statuspage_url: the status page url of the app instance__meta_eureka_app_instance_healthcheck_url: the health check url of the app instance__meta_eureka_app_instance_ip_addr: the IP address of the app instance__meta_eureka_app_instance_vip_address: the VIP address of the app instance__meta_eureka_app_instance_secure_vip_address: the secure VIP address of the app instance__meta_eureka_app_instance_status: the status of the app instance__meta_eureka_app_instance_port: the port of the app instance__meta_eureka_app_instance_port_enabled: the port enabled of the app instance__meta_eureka_app_instance_secure_port: the secure port address of the app instance__meta_eureka_app_instance_secure_port_enabled: the secure port of the app instance__meta_eureka_app_instance_country_id: the country ID of the app instance__meta_eureka_app_instance_metadata_: app instance metadata__meta_eureka_app_instance_datacenterinfo_name: the datacenter name of the app instance__meta_eureka_app_instance_datacenterinfo_: the datacenter metadataeureka_sd_configs配置可选项如下:
# The URL to connect to the Eureka server.server: # Sets the `Authorization` header on every request with the# configured username and password.# password and password_file are mutually exclusive.basic_auth:  [ username:  ]  [ password:  ]  [ password_file:  ]# Optional `Authorization` header configuration.authorization:  # Sets the authentication type.  [ type:  | default: Bearer ]  # Sets the credentials. It is mutually exclusive with  # `credentials_file`.  [ credentials:  ]  # Sets the credentials to the credentials read from the configured file.  # It is mutually exclusive with `credentials`.  [ credentials_file:  ]# Optional OAuth 2.0 configuration.# Cannot be used at the same time as basic_auth or authorization.oauth2:  [  ]# Configures the scrape request"s TLS settings.tls_config:  [  ]# Optional proxy URL.[ proxy_url:  ]# Configure whether HTTP requests follow HTTP 3xx redirects.[ follow_redirects:  | default = true ]# Refresh interval to re-read the app instance list.[ refresh_interval:  | default = 30s ]            通过前面分析的Prometheus服务发现原理以及基于文件方式服务发现协议实现的分析,Eureka服务发现大致原理如下图:
通过解析配置中eureka_sd_configs协议的job生成Config,然后NewDiscovery方法创建出对应的Discoverer,最后调用Discoverer.Run()方法启动服务发现targets。
1、基于文件服务发现配置解析
假如我们定义如下job:
- job_name: "eureka"  eureka_sd_configs:    - server: http://localhost:8761/eureka    会被解析成eureka.SDConfig如下:
eureka.SDConfig定义如下:
type SDConfig struct {    // eureka-server地址 Server           string                  `yaml:"server,omitempty"`    // http请求client配置,如:认证信息 HTTPClientConfig config.HTTPClientConfig `yaml:",inline"`    // 周期刷新间隔,默认30s RefreshInterval  model.Duration          `yaml:"refresh_interval,omitempty"`}2、Discovery创建
func NewDiscovery(conf *SDConfig, logger log.Logger) (*Discovery, error) { rt, err := config.NewRoundTripperFromConfig(conf.HTTPClientConfig, "eureka_sd", config.WithHTTP2Disabled()) if err != nil {  return nil, err } d := &Discovery{  client: &http.Client{Transport: rt},  server: conf.Server, } d.Discovery = refresh.NewDiscovery(  logger,  "eureka",  time.Duration(conf.RefreshInterval),  d.refresh, ) return d, nil}3、Discovery创建完成,最后会调用Discovery.Run()启动服务发现:
和上一节分析的服务发现之File机制类似,执行Run方法时会执行tgs, err := d.refresh(ctx),然后创建定时周期触发器,不停执行tgs, err := d.refresh(ctx),将返回的targets结果信息通过channel传递出去。
4、上面Run方法核心是调用d.refresh(ctx)逻辑获取targets,基于Eureka发现协议主要实现逻辑就在这里:
func (d *Discovery) refresh(ctx context.Context) ([]*targetgroup.Group, error) { // 通过Eureka REST API接口从eureka拉取元数据:http://ip:port/eureka/apps apps, err := fetchApps(ctx, d.server, d.client) if err != nil {  return nil, err } tg := &targetgroup.Group{  Source: "eureka", } for _, app := range apps.Applications {//遍历app        // targetsForApp()方法将app下每个instance部分转成target  targets := targetsForApp(&app)        //假如到  tg.Targets = append(tg.Targets, targets...) } return []*targetgroup.Group{tg}, nil}refresh方法主要有两个流程:
1、fetchApps():从eureka-server的/eureka/apps接口拉取注册服务信息;
2、targetsForApp():遍历app下instance,将每个instance解析出一个target,并添加一堆元标签数据。
如下就是从eureka-server的/eureka/apps接口拉取的注册服务信息:
    1     UP_1_             SERVICE-PROVIDER-01                     localhost:service-provider-01:8001             192.168.3.121             SERVICE-PROVIDER-01             192.168.3.121             UP             UNKNOWN             8001             443             1                             MyOwn                                          30                 90                 1629385562130                 1629385682050                 0                 1629385562132                                          8001                 true                 8080                          http://192.168.3.121:8001/             http://192.168.3.121:8001/actuator/info             http://192.168.3.121:8001/actuator/health             service-provider-01             service-provider-01             false             1629385562132             1629385562039             ADDED                5、instance信息解析target:
func targetsForApp(app *Application) []model.LabelSet { targets := make([]model.LabelSet, 0, len(app.Instances)) // Gather info about the app"s "instances". Each instance is considered a task. for _, t := range app.Instances {  var targetAddress string        // __address__取值方式:instance.hostname和port,没有port则默认port=80  if t.Port != nil {   targetAddress = net.JoinHostPort(t.HostName, strconv.Itoa(t.Port.Port))  } else {   targetAddress = net.JoinHostPort(t.HostName, "80")  }  target := model.LabelSet{   model.AddressLabel:  lv(targetAddress),   model.InstanceLabel: lv(t.InstanceID),   appNameLabel:                     lv(app.Name),   appInstanceHostNameLabel:         lv(t.HostName),   appInstanceHomePageURLLabel:      lv(t.HomePageURL),   appInstanceStatusPageURLLabel:    lv(t.StatusPageURL),   appInstanceHealthCheckURLLabel:   lv(t.HealthCheckURL),   appInstanceIPAddrLabel:           lv(t.IPAddr),   appInstanceVipAddressLabel:       lv(t.VipAddress),   appInstanceSecureVipAddressLabel: lv(t.SecureVipAddress),   appInstanceStatusLabel:           lv(t.Status),   appInstanceCountryIDLabel:        lv(strconv.Itoa(t.CountryID)),   appInstanceIDLabel:               lv(t.InstanceID),  }  if t.Port != nil {   target[appInstancePortLabel] = lv(strconv.Itoa(t.Port.Port))   target[appInstancePortEnabledLabel] = lv(strconv.FormatBool(t.Port.Enabled))  }  if t.SecurePort != nil {   target[appInstanceSecurePortLabel] = lv(strconv.Itoa(t.SecurePort.Port))   target[appInstanceSecurePortEnabledLabel] = lv(strconv.FormatBool(t.SecurePort.Enabled))  }  if t.DataCenterInfo != nil {   target[appInstanceDataCenterInfoNameLabel] = lv(t.DataCenterInfo.Name)   if t.DataCenterInfo.Metadata != nil {    for _, m := range t.DataCenterInfo.Metadata.Items {     ln := strutil.SanitizeLabelName(m.XMLName.Local)     target[model.LabelName(appInstanceDataCenterInfoMetadataPrefix+ln)] = lv(m.Content)    }   }  }  if t.Metadata != nil {   for _, m := range t.Metadata.Items {                // prometheus label只支持[^a-zA-Z0-9_]字符,其它非法字符都会被替换成下划线_    ln := strutil.SanitizeLabelName(m.XMLName.Local)    target[model.LabelName(appInstanceMetadataPrefix+ln)] = lv(m.Content)   }  }  targets = append(targets, target) } return targets}解析比较简单,就不再分析,解析后的标签数据如下图:
标签中有两个特别说明下:
1、__address__:这个取值instance.hostname和port(默认80),所以要注意注册到eureka上的hostname准确性,不然可能无法抓取;
2、metadata-map数据会被转成__meta_eureka_app_instance_metadata_格式标签,prometheus进行relabeling一般操作metadata-map,可以自定义metric_path、抓取端口等;
3、prometheus的label只支持[a-zA-Z0-9_],其它非法字符都会被转换成下划线,具体参加:strutil.SanitizeLabelName(m.XMLName.Local);但是eureka的metadata-map标签含有下划线时,注册到eureka-server上变成双下划线,如下配置:
eureka:  instance:    metadata-map:      scrape_enable: true      scrape.port: 8080通过/eureka/apps获取如下:
基于Eureka方式的服务原理如下图:
大概说明:Discoverer启动后定时周期触发从eureka server的/eureka/apps接口拉取注册服务元数据,然后通过targetsForApp遍历app下的instance,将每个instance解析成target,并将其它元数据信息转换成target原标签可以用于target抓取前relabeling操作。
李雅庄矿:行为治理显成效 “5月份,李雅庄矿同比去年‘三
襄阳北编组站大桥为双独塔双索面混合梁斜拉桥,主桥长920米,宽37 5米
科笛将香港IPO股票发行价定在每股21 85港元,将净筹资3 927亿港元:科
售经理英文简写,销售经理英文翻译这个问题很多朋友还不知道,来为大家
来为大家解答以上问题,鬼吹灯之牧野诡事豆瓣评分多少,鬼吹灯之牧野诡
新型电力系统建设面临着保供压力突出、调节能力短缺、“双高”特性凸显
金融在科技创新和相关产业化过程中,如何发挥好纽带和催化作用?6月8日
相信大家对新款朗逸怎么设置锁车喇叭,朗逸怎么设置锁车喇叭?的问题都
养老金2023年调整方案已经在5月22日正式出炉了,今年养老金确定上涨3 8
6月1日晚间,利通电子(603629)发布公告,公司拟与上海世纪珑腾数据科技
太平人寿睿选稳赢两全险2023版好不好?太平睿选稳赢两全保险属于人寿保
由一汽奔腾NAT主办的“节能出行E动奔腾”2023年节能挑战赛青岛站在5月3
1、社会心理学因素近来研究发现,不良的生活环境或不恰当的教育方式可
1、蜂蜜可以放冰箱。2、蜂蜜可以常温保存,也可以冷藏,一般温度低于零
据重庆日报,6月8日上午,重庆市人民政府与中国移动通信集团有限公司签
看自己的实际情况选择。如果您想尽早享受年金收益,可以考虑将领取年龄
南昌新闻网讯日前,记者来到位于城南大道以西、南昌大道以北的京川村邓
在此基础上邀请相关专业人员参与论证预算构成,同时综合参考其他省份有
“希望通过宋锦记海洋科技食品加工园项目,让‘宋锦记’这个平潭老字号
金桥信息06月07日主力资金净流出8974 78万元,涨跌幅为10 01%,主力净
1、分脚大致两种用法,一是双劈掌,当然也可以单手劈。2、二是,在推手
近日,北京市医疗机构报告两例猴痘病毒感染病例,其中一例为境外输入病
隐形冠军是一个定义企业的流行词,源于德国赫尔曼·西蒙(HermannSimon)
中国经济网北京6月7日讯两市持续震荡分化走势,沪指小幅收涨,创业板指
1、中国重庆武隆国际山地户外运动公开赛(以下简称公开赛)是由国家体
X 关闭
              X 关闭