Spring Cloud Zookeeper 升级为Spring Cloud Kubernetes
创始人
2024-01-20 09:33:55
0

这里是weihubeats,觉得文章不错可以关注公众号小奏技术,文章首发。拒绝营销号,拒绝标题党

背景

现有的微服务是使用的Spring Cloud Zookeeper这一套,实际应用在Kubernetes中部署并不需要额外的注册中心,本身Kubernetes自己就支持,所以打算替换到Zookeeper 替换为Spring Cloud Kubernetes

替换

1. 删除Spring Cloud Zookeeper相关依赖

	org.springframework.cloudspring-cloud-starter-zookeeper-discovery

2. 添加 Spring Cloud Kubernetes 相关依赖

	org.springframework.cloudspring-cloud-starter-kubernetes-client-allorg.springframework.cloudspring-cloud-kubernetes-client-loadbalancer

版本我这里使用的最新版本,2.1.4

3. 解决port没有命名的bug

由于最新版本有bug,就是service.yaml中如果没有定义port的name会报错,所以这里我们采用修改源码方式去解决

问题详情可以参考我之前发的博文

直接创建一个包名为:org.springframework.cloud.kubernetes.client.discovery
创建类KubernetesInformerDiscoveryClient 代码如下

package org.springframework.cloud.kubernetes.client.discovery;import java.time.Duration;
import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
import java.util.Optional;
import java.util.function.Supplier;
import java.util.stream.Collectors;import io.kubernetes.client.extended.wait.Wait;
import io.kubernetes.client.informer.SharedInformer;
import io.kubernetes.client.informer.SharedInformerFactory;
import io.kubernetes.client.informer.cache.Lister;
import io.kubernetes.client.openapi.models.V1EndpointAddress;
import io.kubernetes.client.openapi.models.V1EndpointPort;
import io.kubernetes.client.openapi.models.V1Endpoints;
import io.kubernetes.client.openapi.models.V1Service;
import org.apache.commons.logging.Log;
import org.apache.commons.logging.LogFactory;import org.springframework.beans.factory.InitializingBean;
import org.springframework.cloud.client.ServiceInstance;
import org.springframework.cloud.client.discovery.DiscoveryClient;
import org.springframework.cloud.kubernetes.commons.discovery.KubernetesDiscoveryProperties;
import org.springframework.cloud.kubernetes.commons.discovery.KubernetesServiceInstance;
import org.springframework.util.Assert;
import org.springframework.util.CollectionUtils;
import org.springframework.util.StringUtils;/***@author : wh*@date : 2022/10/27 14:36*@description:*/
public class KubernetesInformerDiscoveryClient implements DiscoveryClient, InitializingBean {private static final Log log = LogFactory.getLog(KubernetesInformerDiscoveryClient.class);private static final String PRIMARY_PORT_NAME_LABEL_KEY = "primary-port-name";private static final String HTTPS_PORT_NAME = "https";private static final String UNSET_PORT_NAME = "";private static final String HTTP_PORT_NAME = "http";private final SharedInformerFactory sharedInformerFactory;private final Lister serviceLister;private final Supplier informersReadyFunc;private final Lister endpointsLister;private final KubernetesDiscoveryProperties properties;private final String namespace;public KubernetesInformerDiscoveryClient(String namespace, SharedInformerFactory sharedInformerFactory,Lister serviceLister, Lister endpointsLister,SharedInformer serviceInformer, SharedInformer endpointsInformer,KubernetesDiscoveryProperties properties) {this.namespace = namespace;this.sharedInformerFactory = sharedInformerFactory;this.serviceLister = serviceLister;this.endpointsLister = endpointsLister;this.informersReadyFunc = () -> serviceInformer.hasSynced() && endpointsInformer.hasSynced();this.properties = properties;}@Overridepublic String description() {return "Kubernetes Client Discovery";}@Overridepublic List getInstances(String serviceId) {Assert.notNull(serviceId, "[Assertion failed] - the object argument must not be null");if (!StringUtils.hasText(namespace) && !properties.isAllNamespaces()) {log.warn("Namespace is null or empty, this may cause issues looking up services");}V1Service service = properties.isAllNamespaces() ? this.serviceLister.list().stream().filter(svc -> serviceId.equals(svc.getMetadata().getName())).findFirst().orElse(null): this.serviceLister.namespace(this.namespace).get(serviceId);if (service == null || !matchServiceLabels(service)) {// no such service present in the clusterreturn new ArrayList<>();}Map svcMetadata = new HashMap<>();if (this.properties.getMetadata() != null) {if (this.properties.getMetadata().isAddLabels()) {if (service.getMetadata() != null && service.getMetadata().getLabels() != null) {String labelPrefix = this.properties.getMetadata().getLabelsPrefix() != null? this.properties.getMetadata().getLabelsPrefix() : "";service.getMetadata().getLabels().entrySet().stream().filter(e -> e.getKey().startsWith(labelPrefix)).forEach(e -> svcMetadata.put(e.getKey(), e.getValue()));}}if (this.properties.getMetadata().isAddAnnotations()) {if (service.getMetadata() != null && service.getMetadata().getAnnotations() != null) {String annotationPrefix = this.properties.getMetadata().getAnnotationsPrefix() != null? this.properties.getMetadata().getAnnotationsPrefix() : "";service.getMetadata().getAnnotations().entrySet().stream().filter(e -> e.getKey().startsWith(annotationPrefix)).forEach(e -> svcMetadata.put(e.getKey(), e.getValue()));}}}V1Endpoints ep = this.endpointsLister.namespace(service.getMetadata().getNamespace()).get(service.getMetadata().getName());if (ep == null || ep.getSubsets() == null) {// no available endpoints in the clusterreturn new ArrayList<>();}Optional discoveredPrimaryPortName = Optional.empty();if (service.getMetadata() != null && service.getMetadata().getLabels() != null) {discoveredPrimaryPortName = Optional.ofNullable(service.getMetadata().getLabels().get(PRIMARY_PORT_NAME_LABEL_KEY));}final String primaryPortName = discoveredPrimaryPortName.orElse(this.properties.getPrimaryPortName());return ep.getSubsets().stream().filter(subset -> subset.getPorts() != null && subset.getPorts().size() > 0) // safeguard.flatMap(subset -> {Map metadata = new HashMap<>(svcMetadata);List endpointPorts = subset.getPorts();if (this.properties.getMetadata() != null && this.properties.getMetadata().isAddPorts()) {endpointPorts.forEach(p -> metadata.put(StringUtils.hasText(p.getName()) ? p.getName() : UNSET_PORT_NAME,Integer.toString(p.getPort())));}List addresses = subset.getAddresses();if (addresses == null) {addresses = new ArrayList<>();}if (this.properties.isIncludeNotReadyAddresses()&& !CollectionUtils.isEmpty(subset.getNotReadyAddresses())) {addresses.addAll(subset.getNotReadyAddresses());}final int port = findEndpointPort(endpointPorts, primaryPortName, serviceId);return addresses.stream().map(addr -> new KubernetesServiceInstance(addr.getTargetRef() != null ? addr.getTargetRef().getUid() : "", serviceId,addr.getIp(), port, metadata, false, service.getMetadata().getNamespace(),service.getMetadata().getClusterName()));}).collect(Collectors.toList());}private int findEndpointPort(List endpointPorts, String primaryPortName, String serviceId) {if (endpointPorts.size() == 1) {return endpointPorts.get(0).getPort();}else {Map ports = endpointPorts.stream().filter(p -> StringUtils.hasText(p.getName())).collect(Collectors.toMap(V1EndpointPort::getName, V1EndpointPort::getPort));// This oneliner is looking for a port with a name equal to the primary port// name specified in the service label// or in spring.cloud.kubernetes.discovery.primary-port-name, equal to https,// or equal to http.// In case no port has been found return -1 to log a warning and fall back to// the first port in the list.int discoveredPort = ports.getOrDefault(primaryPortName,ports.getOrDefault(HTTPS_PORT_NAME, ports.getOrDefault(HTTP_PORT_NAME, -1)));if (discoveredPort == -1) {if (StringUtils.hasText(primaryPortName)) {log.warn("Could not find a port named '" + primaryPortName + "', 'https', or 'http' for service '"+ serviceId + "'.");}else {log.warn("Could not find a port named 'https' or 'http' for service '" + serviceId + "'.");}log.warn("Make sure that either the primary-port-name label has been added to the service, or that spring.cloud.kubernetes.discovery.primary-port-name has been configured.");log.warn("Alternatively name the primary port 'https' or 'http'");log.warn("An incorrect configuration may result in non-deterministic behaviour.");discoveredPort = endpointPorts.get(0).getPort();}return discoveredPort;}}@Overridepublic List getServices() {List services = this.properties.isAllNamespaces() ? this.serviceLister.list(): this.serviceLister.namespace(this.namespace).list();return services.stream().filter(this::matchServiceLabels).map(s -> s.getMetadata().getName()).collect(Collectors.toList());}@Overridepublic void afterPropertiesSet() throws Exception {this.sharedInformerFactory.startAllRegisteredInformers();if (!Wait.poll(Duration.ofSeconds(1), Duration.ofSeconds(this.properties.getCacheLoadingTimeoutSeconds()),() -> {log.info("Waiting for the cache of informers to be fully loaded..");return this.informersReadyFunc.get();})) {if (this.properties.isWaitCacheReady()) {throw new IllegalStateException("Timeout waiting for informers cache to be ready, is the kubernetes service up?");}else {log.warn("Timeout waiting for informers cache to be ready, ignoring the failure because waitForInformerCacheReady property is false");}}log.info("Cache fully loaded (total " + serviceLister.list().size()+ " services) , discovery client is now available");}private boolean matchServiceLabels(V1Service service) {if (log.isDebugEnabled()) {log.debug("Kubernetes Service Label Properties:");if (this.properties.getServiceLabels() != null) {this.properties.getServiceLabels().forEach((key, value) -> log.debug(key + ":" + value));}log.debug("Service " + service.getMetadata().getName() + " labels:");if (service.getMetadata() != null && service.getMetadata().getLabels() != null) {service.getMetadata().getLabels().forEach((key, value) -> log.debug(key + ":" + value));}}// safeguardif (service.getMetadata() == null) {return false;}if (properties.getServiceLabels() == null || properties.getServiceLabels().isEmpty()) {return true;}return properties.getServiceLabels().keySet().stream().allMatch(k -> service.getMetadata().getLabels() != null&& service.getMetadata().getLabels().containsKey(k)&& service.getMetadata().getLabels().get(k).equals(properties.getServiceLabels().get(k)));}}

4. 修改路由转发

				builder.routes().route(r -> r.path("/ms/test/**").filters(f -> f.stripPrefix(1)).uri("lb://test-service"))

原先使用的是zookeeper上的服务名进行转发的,如果pod上面的服务名和之前zookeeper上面注册的名字不一致,就需要改一下路由的服务名

部署

然后再k8s中重新部署服务

报错

在这里插入图片描述

可以看到这里是pod没有权限调用k8s相关的api,授权就好了。使用RBAC权限处理

  1. 创建role
apiVersion: rbac.authorization.k8s.io/v1
kind: Role
metadata:namespace: defaultname: pod-reader
rules:- apiGroups: [""]resources: ["pods","configmaps"]verbs: ["get", "watch", "list"]
  1. 创建ServiceAccount
apiVersion: v1
kind: ServiceAccount
metadata:name: config-readernamespace: default
  1. 绑定Role和ServiceAccount
apiVersion: rbac.authorization.k8s.io/v1
kind: RoleBinding
metadata:name: pod-readernamespace: default
roleRef:apiGroup: rbac.authorization.k8s.iokind: Rolename: pod-reader
subjects:- kind: ServiceAccountname: config-readernamespace: default
  1. 在deployment中指定上面的ServiceAccount

参考博客

重新部署启动就会发现是无缝切换的

总结

总得来说切换比较简单,基本是无缝的!这样就不用依赖外部的注册中心了

相关内容

热门资讯

喜欢穿一身黑的男生性格(喜欢穿... 今天百科达人给各位分享喜欢穿一身黑的男生性格的知识,其中也会对喜欢穿一身黑衣服的男人人好相处吗进行解...
发春是什么意思(思春和发春是什... 本篇文章极速百科给大家谈谈发春是什么意思,以及思春和发春是什么意思对应的知识点,希望对各位有所帮助,...
网络用语zl是什么意思(zl是... 今天给各位分享网络用语zl是什么意思的知识,其中也会对zl是啥意思是什么网络用语进行解释,如果能碰巧...
为什么酷狗音乐自己唱的歌不能下... 本篇文章极速百科小编给大家谈谈为什么酷狗音乐自己唱的歌不能下载到本地?,以及为什么酷狗下载的歌曲不是...
华为下载未安装的文件去哪找(华... 今天百科达人给各位分享华为下载未安装的文件去哪找的知识,其中也会对华为下载未安装的文件去哪找到进行解...
怎么往应用助手里添加应用(应用... 今天百科达人给各位分享怎么往应用助手里添加应用的知识,其中也会对应用助手怎么添加微信进行解释,如果能...
家里可以做假山养金鱼吗(假山能... 今天百科达人给各位分享家里可以做假山养金鱼吗的知识,其中也会对假山能放鱼缸里吗进行解释,如果能碰巧解...
一帆风顺二龙腾飞三阳开泰祝福语... 本篇文章极速百科给大家谈谈一帆风顺二龙腾飞三阳开泰祝福语,以及一帆风顺二龙腾飞三阳开泰祝福语结婚对应...
美团联名卡审核成功待激活(美团... 今天百科达人给各位分享美团联名卡审核成功待激活的知识,其中也会对美团联名卡审核未通过进行解释,如果能...
四分五裂是什么生肖什么动物(四... 本篇文章极速百科小编给大家谈谈四分五裂是什么生肖什么动物,以及四分五裂打一生肖是什么对应的知识点,希...