Go 使用 consul 做服务发现



前言

前面一章讲了微服务的一些优点和缺点,那如何做到

一、目标

二、使用步骤

1. 安装 consul

我们可以直接使用官方提供的二进制文件来进行安装部署,其官网地址为 https://www.consul.io/downloads



下载后为可执行文件,在我们开发试验过程中,可以直接使用 consul agent -dev 命令来启动一个单节点的 consul

在启动的打印日志中可以看到 agent: Started HTTP server on 127.0.0.1:8500 (tcp), 我们可以在浏览器直接访问 127.0.0.1:8500 即可看到如下



这里我们的 consul 就启动成功了

2. 服务注册

在网络编程中,一般会提供项目的 IP、PORT、PROTOCOL,在服务治理中,我们还需要知道对应的服务名、实例名以及一些自定义的扩展信息

在这里使用 ServiceInstance 接口来规定注册服务时必须的一些信息,同时用 DefaultServiceInstance 实现

type ServiceInstance interface {

	// return The unique instance ID as registered.
GetInstanceId() string // return The service ID as registered.
GetServiceId() string // return The hostname of the registered service instance.
GetHost() string // return The port of the registered service instance.
GetPort() int // return Whether the port of the registered service instance uses HTTPS.
IsSecure() bool // return The key / value pair metadata associated with the service instance.
GetMetadata() map[string]string
} type DefaultServiceInstance struct {
InstanceId string
ServiceId string
Host string
Port int
Secure bool
Metadata map[string]string
} func NewDefaultServiceInstance(serviceId string, host string, port int, secure bool,
metadata map[string]string, instanceId string) (*DefaultServiceInstance, error) { // 如果没有传入 IP 则获取一下,这个方法在多网卡的情况下,并不好用
if len(host) == 0 {
localIP, err := util.GetLocalIP()
if err != nil {
return nil, err
}
host = localIP
} if len(instanceId) == 0 {
instanceId = serviceId + "-" + strconv.FormatInt(time.Now().Unix(), 10) + "-" + strconv.Itoa(rand.Intn(9000)+1000)
} return &DefaultServiceInstance{InstanceId: instanceId, ServiceId: serviceId, Host: host, Port: port, Secure: secure, Metadata: metadata}, nil
} func (serviceInstance DefaultServiceInstance) GetInstanceId() string {
return serviceInstance.InstanceId
} func (serviceInstance DefaultServiceInstance) GetServiceId() string {
return serviceInstance.ServiceId
} func (serviceInstance DefaultServiceInstance) GetHost() string {
return serviceInstance.Host
} func (serviceInstance DefaultServiceInstance) GetPort() int {
return serviceInstance.Port
} func (serviceInstance DefaultServiceInstance) IsSecure() bool {
return serviceInstance.Secure
} func (serviceInstance DefaultServiceInstance) GetMetadata() map[string]string {
return serviceInstance.Metadata
}

定义接口

在上面规定了需要注册的服务的必要信息,下面定义下服务注册和剔除的方法

type ServiceRegistry interface {
Register(serviceInstance cloud.ServiceInstance) bool Deregister()
}

具体实现

因为 consul 提供了 http 接口来对consul 进行操作,我们也可以使用 http 请求方式进行注册和剔除操作,具体 http 接口文档见 https://www.consul.io/api-docs, consul 默认提供了go 语言的实现,这里直接使用 github.com/hashicorp/consul/api

import (
"errors"
"fmt"
"github.com/hashicorp/consul/api"
"strconv"
"unsafe"
) type consulServiceRegistry struct {
serviceInstances map[string]map[string]cloud.ServiceInstance
client api.Client
localServiceInstance cloud.ServiceInstance
} func (c consulServiceRegistry) Register(serviceInstance cloud.ServiceInstance) bool {
// 创建注册到consul的服务到
registration := new(api.AgentServiceRegistration)
registration.ID = serviceInstance.GetInstanceId()
registration.Name = serviceInstance.GetServiceId()
registration.Port = serviceInstance.GetPort()
var tags []string
if serviceInstance.IsSecure() {
tags = append(tags, "secure=true")
} else {
tags = append(tags, "secure=false")
}
if serviceInstance.GetMetadata() != nil {
var tags []string
for key, value := range serviceInstance.GetMetadata() {
tags = append(tags, key+"="+value)
}
registration.Tags = tags
}
registration.Tags = tags registration.Address = serviceInstance.GetHost() // 增加consul健康检查回调函数
check := new(api.AgentServiceCheck) schema := "http"
if serviceInstance.IsSecure() {
schema = "https"
}
check.HTTP = fmt.Sprintf("%s://%s:%d/actuator/health", schema, registration.Address, registration.Port)
check.Timeout = "5s"
check.Interval = "5s"
check.DeregisterCriticalServiceAfter = "20s" // 故障检查失败30s后 consul自动将注册服务删除
registration.Check = check // 注册服务到consul
err := c.client.Agent().ServiceRegister(registration)
if err != nil {
fmt.Println(err)
return false
} if c.serviceInstances == nil {
c.serviceInstances = map[string]map[string]cloud.ServiceInstance{}
} services := c.serviceInstances[serviceInstance.GetServiceId()] if services == nil {
services = map[string]cloud.ServiceInstance{}
} services[serviceInstance.GetInstanceId()] = serviceInstance c.serviceInstances[serviceInstance.GetServiceId()] = services c.localServiceInstance = serviceInstance return true
} // deregister a service
func (c consulServiceRegistry) Deregister() {
if c.serviceInstances == nil {
return
} services := c.serviceInstances[c.localServiceInstance.GetServiceId()] if services == nil {
return
} delete(services, c.localServiceInstance.GetInstanceId()) if len(services) == 0 {
delete(c.serviceInstances, c.localServiceInstance.GetServiceId())
} _ = c.client.Agent().ServiceDeregister(c.localServiceInstance.GetInstanceId()) c.localServiceInstance = nil
} // new a consulServiceRegistry instance
// token is optional
func NewConsulServiceRegistry(host string, port int, token string) (*consulServiceRegistry, error) {
if len(host) < 3 {
return nil, errors.New("check host")
} if port <= 0 || port > 65535 {
return nil, errors.New("check port, port should between 1 and 65535")
} config := api.DefaultConfig()
config.Address = host + ":" + strconv.Itoa(port)
config.Token = token
client, err := api.NewClient(config)
if err != nil {
return nil, err
} return &consulServiceRegistry{client: *client}, nil
}

测试用例

注册服务的代码基本完成,来测试一下

func TestConsulServiceRegistry(t *testing.T) {
host := "127.0.0.1"
port := 8500
registryDiscoveryClient, _ := extension.NewConsulServiceRegistry(host, port, "") ip, err := util.GetLocalIP()
if err != nil {
t.Error(err)
} serviceInstanceInfo, _ := cloud.NewDefaultServiceInstance("go-user-server", "", 8090,
false, map[string]string{"user":"zyn"}, "") registryDiscoveryClient.Register(serviceInstanceInfo) r := gin.Default()
// 健康检测接口,其实只要是 200 就认为成功了
r.GET("/actuator/health", func(c *gin.Context) {
c.JSON(200, gin.H{
"message": "pong",
})
})
err = r.Run(":8090")
if err != nil{
registryDiscoveryClient.Deregister()
}
}

如果成功,则会在 consul 看到 go-user-server 这个服务

3. 服务发现

在服务发现中,一般会需要两个方法

  1. 获取所有的服务列表
  2. 获取指定的服务的所有实例信息

接口定义

type DiscoveryClient interface {

	/**
* Gets all ServiceInstances associated with a particular serviceId.
* @param serviceId The serviceId to query.
* @return A List of ServiceInstance.
*/
GetInstances(serviceId string) ([]cloud.ServiceInstance, error) /**
* @return All known service IDs.
*/
GetServices() ([]string, error)
}

具体实现

来实现一下

type consulServiceRegistry struct {
serviceInstances map[string]map[string]cloud.ServiceInstance
client api.Client
localServiceInstance cloud.ServiceInstance
} func (c consulServiceRegistry) GetInstances(serviceId string) ([]cloud.ServiceInstance, error) {
catalogService, _, _ := c.client.Catalog().Service(serviceId, "", nil)
if len(catalogService) > 0 {
result := make([]cloud.ServiceInstance, len(catalogService))
for index, sever := range catalogService {
s := cloud.DefaultServiceInstance{
InstanceId: sever.ServiceID,
ServiceId: sever.ServiceName,
Host: sever.Address,
Port: sever.ServicePort,
Metadata: sever.ServiceMeta,
}
result[index] = s
}
return result, nil
}
return nil, nil
} func (c consulServiceRegistry) GetServices() ([]string, error) {
services, _, _ := c.client.Catalog().Services(nil)
result := make([]string, unsafe.Sizeof(services))
index := 0
for serviceName, _ := range services {
result[index] = serviceName
index++
}
return result, nil
} // new a consulServiceRegistry instance
// token is optional
func NewConsulServiceRegistry(host string, port int, token string) (*consulServiceRegistry, error) {
if len(host) < 3 {
return nil, errors.New("check host")
} if port <= 0 || port > 65535 {
return nil, errors.New("check port, port should between 1 and 65535")
} config := api.DefaultConfig()
config.Address = host + ":" + strconv.Itoa(port)
config.Token = token
client, err := api.NewClient(config)
if err != nil {
return nil, err
} return &consulServiceRegistry{client: *client}, nil
}

测试用例

func TestConsulServiceDiscovery(t *testing.T) {
host := "127.0.0.1"
port := 8500
token := ""
registryDiscoveryClient, err := extension.NewConsulServiceRegistry(host, port, token)
if err != nil {
panic(err)
} t.Log(registryDiscoveryClient.GetServices()) t.Log(registryDiscoveryClient.GetInstances("go-user-server"))
}

结果

consul_service_registry_test.go:57: [consul go-user-server      ] <nil>

consul_service_registry_test.go:59: [{go-user-server-1602590661-56179 go-user-server 127.0.0.1 8090 false map[user:zyn]}] <nil>

总结

通过使用 consul api 我们可以简单的实现基于 consul 的服务发现,在通过结合 http rpc 就可简单的实现服务的调用,下面一章来简单讲下 go 如何发起 http 请求,为我们做 rpc 做个铺垫

具体代码见 https://github.com/zhangyunan1994/lemon

参考

Go | Go 使用 consul 做服务发现的更多相关文章

  1. 使用Consul做服务发现的若干姿势

    从2016年起就开始接触Consul,使用的主要目的就是做服务发现,后来逐步应用于生产环境,并总结了少许使用经验.最开始使用Consul的人不多,为了方便交流创建了一个QQ群,这两年微服务越来越火,使 ...

  2. Consul做服务发现

    使用Consul做服务发现的若干姿势 https://www.cnblogs.com/bossma/p/9756809.html 从2016年起就开始接触Consul,使用的主要目的就是做服务发现,后 ...

  3. Api网关Kong集成Consul做服务发现及在Asp.Net Core中的使用

    写在前面   Api网关我们之前是用 .netcore写的 Ocelot的,使用后并没有完全达到我们的预期,花了些时间了解后觉得kong可能是个更合适的选择. 简单说下kong对比ocelot打动我的 ...

  4. go-micro使用Consul做服务发现的方法和原理

    go-micro v4默认使用mdns做服务发现.不过也支持采用其它的服务发现中间件,因为多年来一直使用Consul做服务发现,为了方便和其它服务集成,所以还是选择了Consul.这篇文章将介绍go- ...

  5. .NET Core HttpClient+Consul实现服务发现

    简介 随着.NET Core的不断发展与成熟,基于.NET Core实现微服务的解决方案也越来越多.这其中必然需要注册中心,Consul成为了.NET Core实现服务注册与发现的首选.类似的解决方案 ...

  6. 阿里巴巴为什么不用 ZooKeeper 做服务发现?

    阿里巴巴为什么不用 ZooKeeper 做服务发现? http://jm.taobao.org/2018/06/13/%E5%81%9A%E6%9C%8D%E5%8A%A1%E5%8F%91%E7%8 ...

  7. .NET Core HttpClientFactory+Consul实现服务发现

    前言 上篇文章.NET Core HttpClient+Consul实现服务发现提到过,HttpClient存在套接字延迟释放的问题,高并发情况导致端口号被耗尽引起服务器拒绝服务的问题.好在微软意识到 ...

  8. etcd学习(3)-grpc使用etcd做服务发现

    grpc通过etcd实现服务发现 前言 服务注册 服务发现 负载均衡 集中式LB(Proxy Model) 进程内LB(Balancing-aware Client) 独立 LB 进程(Externa ...

  9. 一个故事,一段代码告诉你如何使用不同语言(Golang&C#)提供相同的能力基于Consul做服务注册与发现

    目录 引言 什么是微服务 传统服务 微服务 什么是服务注册与服务发现 为什么要使用不同的语言提供相同的服务能力 服务协调器 服务注册 Golang C#(.NetCore3.1) 服务发现 通过Htt ...

随机推荐

  1. 浅谈备受开发者好评的.NET core敏捷开发工具,讲讲LEARUN工作流引擎

    通俗来讲,所谓一个工作流管理系统,如果将其拆分出来一个个单讲话,大致可理解为由工作流引擎.工作流设计器.流程操作.工作流客户界面. 流程监控.表单设计器.与表单的集成以及与应用程序的集成等几个部分组成 ...

  2. 小程序开发-媒体组件video使用入门

    video 视频(v2.4.0 起支持同层渲染).相关api:wx.createVideoContext 常见属性如下: 支持的格式 示例: <video src="http://wx ...

  3. Ubuntu查看并修改主机名的方法

    1 查看主机名 在Ubuntu系统中,快速查看主机名有多种方法: 在终端窗口中,主机名通常位于@符号后:root@lzyws739307453:~#例如这个的主机名就是lzyws739307453. ...

  4. (超详细)动手编写-链表(Java实现)

    目录 前言 概念 链表的设计 完整代码 List接口 抽象父类设计 链表-LinkedList 虚拟头结点 概念 结构设计 方法变动 双向链表 概念 双向链表设计 方法变动 循环链表 单向循环链表 双 ...

  5. Java 9天入门(黑马程序员) 课程收尾 ------学生管理系统 (9.13)

    1 实现功能 2 结构概述 分为两个包,各自一个类 Student.java 为学生类,目的是储存学生信息 StudentManager.java 是主程序的代码 3 Student.java 的代码 ...

  6. sql注入 报错注入常用的三种函数

    1.floor()函数 报错原因是 报错的原因是因为rand()函数在查询的时候会执行一次,插入的时候还会执行一次.这就是整个语句报错的关键 前面说过floor(rand(0)*2) 前六位是0110 ...

  7. 故事:坐在我隔壁的小王问我什么是HyperLogLog

    1 最近坐我隔壁的小王同志,心情真是糟透了.不但工作不顺心,被老板狠狠的批了一顿,连女朋友也跟别人跑了(Y 的让你天天在我面前秀). 真是不可谓不惨,我都快要同情他了. 看着他萎靡又迷离的眼神,我实在 ...

  8. 三年之久的 etcd3 数据不一致 bug 分析

    问题背景 诡异的 K8S 滚动更新异常 笔者某天收到同事反馈,测试环境中 K8S 集群进行滚动更新发布时未生效.通过 kube-apiserver 查看发现,对应的 Deployment 版本已经是最 ...

  9. 关于java for循环常见练习题

    使用for循环方式计算2+4+6+…+100的值 package day02; /** * 使用for循环方式计算2+4+6+…+100的值 * @author mu * */ public clas ...

  10. day55:django:cookie&session

    目录 1.Cookie 1.Cookie前戏 2.Cookie的引入 3.django中操作cookie 2.Session 1.cookie的局限性 2.session技术 3.django操作se ...