Consul 服务注册中心安装与配置
Docker 安装 Consul
8500 HTTP 端口
8600 DNS 端口
1 | docker run -d -p 8500:8500 -p 8300:8300 -p 8301:8301 -p 8302:8302 -p 8600:8600/udp consul consul agent -dev -client=0.0.0.0 |
Consul Web
http:// [docker-ip]:8500
Consul DNS
Consul 提供 DNS 功能,可以让我们通过, 可以通过 dig 命令行来测试,consul 默认的 dns 端口是 8600
Linux1
yay -S bind
Windows
https://www.isc.org/download/1
dig @172.17.0.1 -p 8600 consul.service.consul SRV
Consul APi
注册服务与健康检查
HTTP Golang
服务注册 https://www.consul.io/api-docs/agent/service#register-service
健康检查 https://www.consul.io/api-docs/agent/check
1 | import ( |
gRPC Python
Protobuf https://github.com/grpc/grpc/blob/master/doc/health-checking.md
Health.py https://grpc.github.io/grpc/python/_modules/grpc_health/v1/health.html
protobuf health.proto
不要修改任何内容
1 | syntax = "proto3"; |
生成代码1
python -m grpc_tools.protoc --python_out=. --grpc_python_out=. -I. health.proto
- 实现 Check 和 Watch 方法 health.py 复制进去即可
https://grpc.github.io/grpc/python/_modules/grpc_health/v1/health.html
- 新建
_async.py
复制以下内容1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114# Copyright 2020 The gRPC Authors
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
"""Reference implementation for health checking in gRPC Python."""
import asyncio
import collections
from typing import MutableMapping
import grpc
from common.grpc_health.v1 import health_pb2 as _health_pb2
from common.grpc_health.v1 import health_pb2_grpc as _health_pb2_grpc
class HealthServicer(_health_pb2_grpc.HealthServicer):
"""An AsyncIO implementation of health checking servicer."""
_server_status: MutableMapping[
str, '_health_pb2.HealthCheckResponse.ServingStatus']
_server_watchers: MutableMapping[str, asyncio.Condition]
_gracefully_shutting_down: bool
def __init__(self) -> None:
self._server_status = {"": _health_pb2.HealthCheckResponse.SERVING}
self._server_watchers = collections.defaultdict(asyncio.Condition)
self._gracefully_shutting_down = False
async def Check(self, request: _health_pb2.HealthCheckRequest,
context) -> None:
status = self._server_status.get(request.service)
if status is None:
await context.abort(grpc.StatusCode.NOT_FOUND)
else:
return _health_pb2.HealthCheckResponse(status=status)
async def Watch(self, request: _health_pb2.HealthCheckRequest,
context) -> None:
condition = self._server_watchers[request.service]
last_status = None
try:
async with condition:
while True:
status = self._server_status.get(
request.service,
_health_pb2.HealthCheckResponse.SERVICE_UNKNOWN)
# NOTE(lidiz) If the observed status is the same, it means
# there are missing intermediate statuses. It's considered
# acceptable since peer only interested in eventual status.
if status != last_status:
# Responds with current health state
await context.write(
_health_pb2.HealthCheckResponse(status=status))
# Records the last sent status
last_status = status
# Polling on health state changes
await condition.wait()
finally:
if request.service in self._server_watchers:
del self._server_watchers[request.service]
async def _set(self, service: str,
status: _health_pb2.HealthCheckResponse.ServingStatus
) -> None:
if service in self._server_watchers:
condition = self._server_watchers.get(service)
async with condition:
self._server_status[service] = status
condition.notify_all()
else:
self._server_status[service] = status
async def set(self, service: str,
status: _health_pb2.HealthCheckResponse.ServingStatus
) -> None:
"""Sets the status of a service.
Args:
service: string, the name of the service.
status: HealthCheckResponse.status enum value indicating the status of
the service
"""
if self._gracefully_shutting_down:
return
else:
await self._set(service, status)
async def enter_graceful_shutdown(self) -> None:
"""Permanently sets the status of all services to NOT_SERVING.
This should be invoked when the server is entering a graceful shutdown
period. After this method is invoked, future attempts to set the status
of a service will be ignored.
"""
if self._gracefully_shutting_down:
return
else:
self._gracefully_shutting_down = True
for service in self._server_status:
await self._set(service,
_health_pb2.HealthCheckResponse.NOT_SERVING)
注册健康检查服务
请确使用 Consul 能访问的 IP,特别是 Consul 使用 Docker 部署1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34import requests
headers = {
"Content-Type": "application/json"
}
def register(name, id, address, port):
url = "http://172.17.0.1:8500/v1/agent/service/register"
rsp = requests.put(url, headers=headers, json={
"ID": id, # ID 如果不设置则和Name保持一致
"Name": name,
"Address": address,
"Port": port,
"Tags": ["micro-shop", "likfees", "web"], # 标签
"Check": { # 健康检查
"GRPC": f"{address}:{port}",
"GRPCUseTLS": False,
"Timeout": "10s",
"Interval": "10s",
"DeregisterCriticalServiceAfter": "1m",
},
})
if rsp.status_code != 200:
print(f"注册失败:{rsp.status_code}")
print(rsp.text)
return
print("注册成功")
if __name__ == "__main__":
register("micro-shop-srv", "micro-shop-srv", "192.168.200.110", 50051)
注销服务
1 | func Deregister(id string) { |
获取服务
1 | // 获取所有服务 |