服务注册与发现组件 Eureka 客户端实现原理解析

Posted aoho求索

tags:

篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了服务注册与发现组件 Eureka 客户端实现原理解析相关的知识,希望对你有一定的参考价值。

介绍了,如何使用服务注册发现组件:Eureka,并给出使用示例。本文在此基础上,将会讲解 Eureka 客户端实现的内幕,结合源码深入实现的细节,知其所以然。客户端需要重点关注以下几点:

  • 从Eureka Server中拉取注册表信息

  • 全量拉取注册表信息

  • 增量式拉取注册表信息

  • 注册表缓存刷新定时器与续租(心跳)定时器

  • 服务注册与服务按需注册

  • 服务实例的下线

本文摘录于笔者出版的书籍 《Spring Cloud 微服务架构进阶》

Eureka Client 结构

在Finchley版本的SpringCloud中,不需要添加任何的额外的注解就可以登记为Eureka Client,只需要在pom文件中添加 spring-cloud-starter-netflix-eureka-client的依赖。

为了跟踪Eureka的运行机制,读者可以打开SpringBoot的Debug模式来查看更多的输出日志:

 
   
   
 
  1. logging:

  2. level:

  3. org.springframework: DEBUG

查看 spring-cloud-netflix-eureka-clientsrc/main/resource.META-INF/spring.factories,查看Eureka Client有哪些自动配置类:

 
   
   
 
  1. org.springframework.boot.autoconfigure.EnableAutoConfiguration=\

  2. org.springframework.cloud.netflix.eureka.config.EurekaClientConfigServerAutoConfiguration,\

  3. org.springframework.cloud.netflix.eureka.config.EurekaDiscoveryClientConfigServiceAutoConfiguration,\

  4. org.springframework.cloud.netflix.eureka.EurekaClientAutoConfiguration,\

  5. org.springframework.cloud.netflix.ribbon.eureka.RibbonEurekaAutoConfiguration,\

  6. org.springframework.cloud.netflix.eureka.EurekaDiscoveryClientConfiguration


  7. org.springframework.cloud.bootstrap.BootstrapConfiguration=\

  8. org.springframework.cloud.netflix.eureka.config.EurekaDiscoveryClientConfigServiceBootstrapConfiguration

排除掉与配置中心相关的自动配置类,从中可以找到三个与Eureka Client密切相关的自动配置类:

  • EurekaClientAutoConfiguration

  • RibbonEurekaAutoConfiguration

  • EurekaDiscoveryClientConfiguration

下面将对这些类进行分析,看看一个正常的Eureka Client需要做哪一些初始化配置。

EurekaClientAutoConfiguration

Eureke Client的自动配置类,负责了Eureka Client中关键的bean的配置和初始化,以下是其内比较重要的bean的介绍与作用。

EurekaClientConfig

提供了Eureka Client注册到Eureka Server所需要的配置信息,SpringCloud为其提供了一个默认配置类的 EurekaClientConfigBean,可以在配置文件中通过前缀 eureka.client+属性名进行覆盖。

ApplicationInfoManager

该类管理了服务实例的信息类 InstanceInfo,其内包括Eureka Server上的注册表所需要的信息,代表了每个Eureka Client提交到注册中心的数据,用以供服务发现。同时管理了实例的配置信息 EurekaInstanceConfig,SpringCloud提供了一个 EurekaInstanceConfigBean的配置类进行默认配置,也可以在配置文件 application.yml中通过 eureka.instance+属性名进行自定义配置。

EurekaInstanceConfigBean

继承了 EurekaInstanceConfig接口,是Eureka Client注册到服务器上需要提交的关于服务实例自身的相关信息,主要用于服务发现:

通常这些信息在配置文件中的 eureka.instance前缀下进行设置,SpringCloud通过 EurekaInstanceConfigBean配置类提供了相关的默认配置。以下是一些比较关键的属性,这些信息都将注册到注册中心上。

 
   
   
 
  1. public class EurekaInstanceConfigBean implements CloudEurekaInstanceConfig, EnvironmentAware {


  2. // 服务实例的应用名

  3. private String appname;

  4. // 服务实例的Id,通常和appname共同唯一标记一个服务实例

  5. private String instanceId;

  6. // 自定义添加的元数据,由用户使用以适配扩展业务需求

  7. private Map<String, String> metadataMap;

  8. // 如果服务实例部署在AWS上,该类将持有服务实例部署所在的数据中心的准确信息

  9. private DataCenterInfo dataCenterInfo;

  10. private String ipAddress;

  11. private String homePageUrl;

  12. private String healthCheckUrlPath;

  13. private String statusPageUrlPath


  14. .....

  15. }

DiscoveryClient

这是SpringCloud定义的用来服务发现的顶级接口,在Netflix Eureka或者consul都有相应的具体实现类,提供的方法如下:

 
   
   
 
  1. public interface DiscoveryClient {


  2. // 获取实现类的描述

  3. String description();


  4. // 通过服务Id获取服务实例的信息

  5. List<ServiceInstance> getInstances(String serviceId);


  6. // 获取所有的服务实例的Id

  7. List<String> getServices();


  8. }

其在Eureka方面的实现的相关的类结构图:

服务注册与发现组件 Eureka 客户端实现原理解析

EurekaDiscoveryClient继承了 DiscoveryClient,但是通过查看 EurekaDiscoveryClient中的代码,会发现它是通过组合类 EurekaClient实现接口的功能,如下的 getInstance接口:

 
   
   
 
  1. @Override

  2. public List<ServiceInstance> getInstances(String serviceId) {

  3. List<InstanceInfo> infos = this.eurekaClient.getInstancesByVipAddress(serviceId,false);

  4. List<ServiceInstance> instances = new ArrayList<>();

  5. for (InstanceInfo info : infos) {

  6. instances.add(new EurekaServiceInstance(info));

  7. }

  8. return instances;

  9. }

EurekaClient来自于 com.netflix.discovery包中,其默认实现为 com.netflix.discovery.DiscoveryClient,这属于eureka-client的源代码,它提供了Eureka Client注册到Server上、续租,下线以及获取Server中注册表信息等诸多关键功能。SpringCloud通过组合方式调用了Eureka中的的服务发现方法,关于 EurekaClient的详细代码分析将放在客户端核心代码中介绍。为了适配 spring-cloud,spring提供了一个 CloudEurekaClient继承了 com.netflix.discovery.DiscoveryClient,同时覆盖了 onCacheRefreshed防止在 spring-boot还没初始化时调用该接口出现 NullPointException

上述的几个配置类之间的关系非常紧密,数据之间存在一定的耦合,所以下面介绍一下它们之间的关系

首先是 EurekaInstanceConfig,代码位于 EurekaClientAutoConfiguration

 
   
   
 
  1. @Bean

  2. @ConditionalOnMissingBean(value = EurekaInstanceConfig.class, search = SearchStrategy.CURRENT)

  3. public EurekaInstanceConfigBean eurekaInstanceConfigBean(InetUtils inetUtils, ManagementMetadataProvider managementMetadataProvider) {

  4. // 从配置文件中读取属性

  5. String hostname = getProperty("eureka.instance.hostname");

  6. boolean preferIpAddress = Boolean.parseBoolean(getProperty("eureka.instance.prefer-ip-address"));

  7. String ipAddress = getProperty("eureka.instance.ipAddress");

  8. boolean isSecurePortEnabled = Boolean.parseBoolean(getProperty("eureka.instance.secure-port-enabled"));


  9. String serverContextPath = env.getProperty("server.context-path", "/");

  10. int serverPort = Integer.valueOf(env.getProperty("server.port", env.getProperty("port", "8080")));


  11. Integer managementPort = env.getProperty("management.server.port", Integer.class);// nullable. should be wrapped into optional

  12. String managementContextPath = env.getProperty("management.server.context-path");// nullable. should be wrapped into optional

  13. Integer jmxPort = env.getProperty("com.sun.management.jmxremote.port", Integer.class);//nullable

  14. EurekaInstanceConfigBean instance = new EurekaInstanceConfigBean(inetUtils);

  15. // 设置非空属性

  16. instance.setNonSecurePort(serverPort);

  17. instance.setInstanceId(getDefaultInstanceId(env));

  18. instance.setPreferIpAddress(preferIpAddress);

  19. if (StringUtils.hasText(ipAddress)) {

  20. instance.setIpAddress(ipAddress);

  21. }


  22. if(isSecurePortEnabled) {

  23. instance.setSecurePort(serverPort);

  24. }


  25. if (StringUtils.hasText(hostname)) {

  26. instance.setHostname(hostname);

  27. }

  28. String statusPageUrlPath = getProperty("eureka.instance.status-page-url-path");

  29. String healthCheckUrlPath = getProperty("eureka.instance.health-check-url-path");


  30. if (StringUtils.hasText(statusPageUrlPath)) {

  31. instance.setStatusPageUrlPath(statusPageUrlPath);

  32. }

  33. if (StringUtils.hasText(healthCheckUrlPath)) {

  34. instance.setHealthCheckUrlPath(healthCheckUrlPath);

  35. }


  36. ManagementMetadata metadata = managementMetadataProvider.get(instance, serverPort, serverContextPath, managementContextPath, managementPort);


  37. .....

  38. return instance;

  39. }

从上面的代码可以发现, EurekaInstanceConfig的属性主要通过 EurekaInstanceConfigBean的实现提供,同时也会尝试从配置文件中读取一部分配置,在例如 eureka.instance.hostnameeureka.instance.status-page-url-patheureka.instance.health-check-url-path等等,它代表了应用实例的应该具备的信息,然后这部分信息会被封装成 InstanceInfo,被注册到Eureka Server中。

InstanceInfo是通过 InstanceInfoFactory(org.springframework.cloud.netflix.eureka)封装 EurekaInstanceConfig中的属性创建的,其中 InstanceInfo的属性基本是 volatile,保证了内存中的该类信息的一致性和原子性。

代码位于 InstanceInfoFactory

 
   
   
 
  1. public InstanceInfo create(EurekaInstanceConfig config) {

  2. LeaseInfo.Builder leaseInfoBuilder = LeaseInfo.Builder.newBuilder()

  3. .setRenewalIntervalInSecs(config.getLeaseRenewalIntervalInSeconds())

  4. .setDurationInSecs(config.getLeaseExpirationDurationInSeconds());

  5. // 创建服务实例的信息用来注册到eureka server上

  6. InstanceInfo.Builder builder = InstanceInfo.Builder.newBuilder();


  7. String namespace = config.getNamespace();

  8. if (!namespace.endsWith(".")) {

  9. namespace = namespace + ".";

  10. }

  11. builder.setNamespace(namespace).setAppName(config.getAppname())

  12. .setInstanceId(config.getInstanceId())

  13. .setAppGroupName(config.getAppGroupName())

  14. .setDataCenterInfo(config.getDataCenterInfo())

  15. .setIPAddr(config.getIpAddress()).setHostName(config.getHostName(false))

  16. .setPort(config.getNonSecurePort())

  17. .enablePort(InstanceInfo.PortType.UNSECURE,

  18. config.isNonSecurePortEnabled())

  19. .setSecurePort(config.getSecurePort())

  20. .enablePort(InstanceInfo.PortType.SECURE, config.getSecurePortEnabled())

  21. .setVIPAddress(config.getVirtualHostName())

  22. .setSecureVIPAddress(config.getSecureVirtualHostName())

  23. .setHomePageUrl(config.getHomePageUrlPath(), config.getHomePageUrl())

  24. .setStatusPageUrl(config.getStatusPageUrlPath(),

  25. config.getStatusPageUrl())

  26. .setHealthCheckUrls(config.getHealthCheckUrlPath(),

  27. config.getHealthCheckUrl(), config.getSecureHealthCheckUrl())

  28. .setASGName(config.getASGName());


  29. ....

  30. InstanceInfo instanceInfo = builder.build();

  31. instanceInfo.setLeaseInfo(leaseInfoBuilder.build());

  32. return instanceInfo;

  33. }

接着是 ApplicationInfoManager,代码位于 EurekaClientAutoConfiguration

 
   
   
 
  1. @Bean

  2. @ConditionalOnMissingBean(value = ApplicationInfoManager.class, search = SearchStrategy.CURRENT)

  3. public ApplicationInfoManager eurekaApplicationInfoManager(EurekaInstanceConfig config) {

  4. InstanceInfo instanceInfo = new InstanceInfoFactory().create(config);

  5. return new ApplicationInfoManager(config, instanceInfo);

  6. }

通过组合 EurekaInstanceConfigInstanceInfo创建了 ApplicationInfoManager,属于应用信息管理器。

 
   
   
 
  1. @Bean

  2. @ConditionalOnMissingBean(value = EurekaClientConfig.class, search = SearchStrategy.CURRENT)

  3. public EurekaClientConfigBean eurekaClientConfigBean() {

  4. EurekaClientConfigBean client = new EurekaClientConfigBean();

  5. if ("bootstrap".equals(propertyResolver.getProperty("spring.config.name"))) {

  6. // We don't register during bootstrap by default, but there will be another

  7. // chance later.

  8. client.setRegisterWithEureka(false);

  9. }

  10. return client;

  11. }

最后是 EurekaClient,通过 ApplicationInfoManagerEurekaClientConfig组合创建,即 EurekaClient同时持有了client的服务实例信息用于服务发现,与Eureka Server注册的配置用于服务注册。

 
   
   
 
  1. @Bean(destroyMethod = "shutdown")

  2. @ConditionalOnMissingBean(value = EurekaClient.class, search = SearchStrategy.CURRENT)

  3. public EurekaClient eurekaClient(ApplicationInfoManager manager, EurekaClientConfig config){

  4. return new CloudEurekaClient(manager, config, this.optionalArgs, this.context);

  5. }

整体的类结构如下

服务注册与发现组件 Eureka 客户端实现原理解析EurekaRegistration、EurekaServiceRegistry、EurekaAutoServiceRegistration

这是SpringCloud适配Eureka所加的将服务注册到服务注册中心的相关类,先来看一下相关的类结构

服务注册与发现组件 Eureka 客户端实现原理解析Registration继承了 ServiceInstance,代表了一个被注册到服务发现系统的一个服务实例,必须具备的信息如hostname和port等, RegistrationServiceInstance的一个门面类

 
   
   
 
  1. public interface ServiceInstance {


  2. //获取服务实例的serviceId

  3. String getServiceId();


  4. //获取服务实例的hostname

  5. String getHost();


  6. //获取服务实例的端口号

  7. int getPort();


  8. boolean isSecure();


  9. URI getUri();


  10. //获取服务实例的元数据key-value对

  11. Map<String, String> getMetadata();

  12. }

对应Eureka, EurekaRegistration实现了 Registration,查看其中的代码,只是照搬了 EurekaInstanceConfigBean中的配置信息,同时注入了 EurekaClient,为Eureka Client的服务注册提供实现。

 
   
   
 
  1. @Bean

  2. @ConditionalOnBean(AutoServiceRegistrationProperties.class)

  3. @ConditionalOnProperty(value = "spring.cloud.service-registry.auto-registration.enabled", matchIfMissing = true)

  4. public EurekaRegistration eurekaRegistration(EurekaClient eurekaClient, CloudEurekaInstanceConfig instanceConfig, ApplicationInfoManager applicationInfoManager, ObjectProvider<HealthCheckHandler> healthCheckHandler) {

  5. return EurekaRegistration.builder(instanceConfig)

  6. .with(applicationInfoManager)

  7. .with(eurekaClient)

  8. .with(healthCheckHandler)

  9. .build();

  10. }

ServiceRegistry里面提供了将服务实例注册到服务注册中心的相关接口:

 
   
   
 
  1. public interface ServiceRegistry<R extends Registration> {


  2. //注册服务实例,registration当中通常有关于服务实例的信息,例如hostname和port

  3. void register(R registration);


  4. //注销服务实例

  5. void deregister(R registration);


  6. //关闭ServiceRegistry,通常在服务关闭的时候被调用

  7. void close();


  8. //设置服务实例的状态

  9. void setStatus(R registration, String status);


  10. //获取服务实例的状态

  11. <T> T getStatus(R registration);

  12. }

其中在 EurekaServiceRegistry的注册和下线的实现如下:

 
   
   
 
  1. @Override

  2. public void register(EurekaRegistration reg) {

  3. // 初始化EurekaRegistration中的EurekaClient,如果为null

  4. maybeInitializeClient(reg);


  5. // 修改服务的状态为UP

  6. reg.getApplicationInfoManager()

  7. .setInstanceStatus(reg.getInstanceConfig().getInitialStatus());

  8. // 设置健康检查

  9. reg.getHealthCheckHandler().ifAvailable(healthCheckHandler ->

  10. reg.getEurekaClient().registerHealthCheck(healthCheckHandler));

  11. }


  12. private void maybeInitializeClient(EurekaRegistration reg) {

  13. reg.getApplicationInfoManager().getInfo();

  14. reg.getEurekaClient().getApplications();

  15. }


  16. @Override

  17. public void deregister(EurekaRegistration reg) {

  18. if (reg.getApplicationInfoManager().getInfo() != null) {

  19. // 设置服务的状态为DOWN

  20. reg.getApplicationInfoManager().setInstanceStatus(InstanceInfo.InstanceStatus.DOWN);

  21. }

  22. }

在上面的代码中可以发现,对服务的注册和下线仅仅是修改了服务当前的状态,其实在 EurekaClient的接口实现类中有专门对 InstanceStatus状态修改的监听,当服务实例的信息改变时就会触发不同的事件进行处理。

EurekaAutoServiceRegistration,顾名思义,就是服务实例的自动注册,由前面的类图可知,该类继承了 SmartLifecycle的接口,这是 org.springframework.context包中的相关类,说明 EurekaAutoServiceRegistration类受到了Spring的生命周期的管理。

 
   
   
 
  1. ...

  2. @EventListener(ServletWebServerInitializedEvent.class)

  3. public void onApplicationEvent(ServletWebServerInitializedEvent event) {

  4. int localPort = event.getWebServer().getPort();

  5. if (this.port.get() == 0) {

  6. log.info("Updating port to " + localPort);

  7. this.port.compareAndSet(0, localPort);

  8. start();

  9. }

  10. }


  11. @EventListener(ContextClosedEvent.class)

  12. public void onApplicationEvent(ContextClosedEvent event) {

  13. if( event.getApplicationContext() == context ) {

  14. stop();

  15. }

  16. }

在上述代码中,该类监听了 ServletWebServerInitializedEventContextClosedEvent两个事件,即在应用初始化阶段调用 start()和应用上下文关闭阶段调用 stop(),其实就是在应用启动和关闭时分别进行服务的注册和下线的自动操作。

EurekaAutoServiceRegistration的服务注册和下线是直接调用了EurekaServiceRegistry中的方法。

 
   
   
 
  1. @Override

  2. public void start() {

  3. // only set the port if the nonSecurePort or securePort is 0 and this.port != 0

  4. if (this.port.get() != 0) {

  5. if (this.registration.getNonSecurePort() == 0) {

  6. this.registration.setNonSecurePort(this.port.get());

  7. }


  8. if (this.registration.getSecurePort() == 0 && this.registration.isSecure()) {

  9. this.registration.setSecurePort(this.port.get());

  10. }

  11. }


  12. if (!this.running.get() && this.registration.getNonSecurePort() > 0) {


  13. // 注册服务

  14. this.serviceRegistry.register(this.registration);


  15. this.context.publishEvent(

  16. new InstanceRegisteredEvent<>(this, this.registration.getInstanceConfig()));

  17. this.running.set(true);

  18. }

  19. }

  20. @Override

  21. public void stop() {

  22. // 服务下线

  23. this.serviceRegistry.deregister(this.registration);

  24. this.running.set(false);

  25. }

EurekaDiscoveryClientConfiguration

EurekaDiscoveryClientConfiguration只做了两件事,监听了 RefreshScopeRefreshedEvent事件以及注入 EurekaHealthCheckHandler接口的实现类。

RefreshScopeRefreshedEvent事件一般在spring管理的bean被刷新的时候被抛出,此时说明应用环境的配置和参数有可能发生变化,于是需要重新注册服务,防止注册中心的服务实例信息与本地信息不一致。

 
   
   
 
  1. @EventListener(RefreshScopeRefreshedEvent.class)

  2. public void onApplicationEvent(RefreshScopeRefreshedEvent event) {

  3. // 保证了一个刷新事件发生后client的重新注册

  4. if(eurekaClient != null) {

  5. eurekaClient.getApplications();

  6. }

  7. if (autoRegistration != null) {

  8. // 重新注册防止本地信息与注册表中的信息不一致

  9. this.autoRegistration.stop();

  10. this.autoRegistration.start();

  11. }

  12. }

RibbonEurekaAutoConfiguration

Eureka中配置负载均衡的配置类,具体关于Ribbon的内容将在其他章节进行讲解,这里就略过

客户端核心代码

包结构

主要的代码位于 eureka-client中,项目的module为 eureka-client,版本为v1.8.7,这是Finchley版本的Spring Cloud所依赖的eureka版本

包结构如下

服务注册与发现组件 Eureka 客户端实现原理解析

简要的包介绍:

  • com.netflix.appinfo: 主要是关于eureka-client的配置信息类,如上面提及的 EurekaInstanceConfig, InstanceInfo,其中也包含了类似 AmazonInfo、 DataCenterInfo等与AWS中的架构适配密切相关的接口,在此不做详解的介绍,有兴趣读者可以自行去了解。

  • com.netflix.discovery: 主要实现Eureka-Client的服务发现和服务注册功能。

    • com.netflix.discovery.shared.dns: DNS解析器。

    • com.netflix.discovery.shared.transport:Eureka Client与Eureka Server之间进行HTTP通信的客户端以及通信的request和response的封装类。

    • com.netflix.discovery.converters: 主要解决Eureka服务之间的数据传输的编码与解码,支持JSON、XML等格式。

    • com.netflix.discovery.guiceGoogle的 guice依赖注入配置包,类似 Spring的configuration。

    • com.netflix.discovery.provider: 提供的Jersey中请求与响应的序列化与反序列化实现,默认实现是 DefaultJerseyProvider

    • com.netflix.discovery.providers: 目前只有 DefaultEurekaClientConfigProvider,提供 EurekaClientConfig工厂生成方法。

    • com.netflix.discovery.shared: Eureka Client与Eureka Server共享重用的方法。

服务注册与发现组件 Eureka 客户端实现原理解析

DiscoveryClient

DiscoveryClient可以说是Eureka Client的核心类,负责了与Eureka Server交互的关键逻辑,具备了以下的职能:

  • 注册服务实例到Eureka Server中;

  • 更新与Eureka Server的契约;

  • 在服务关闭时从Eureka Server中取消契约;

  • 查询在Eureka Server中注册的服务/实例的列表。

DiscoverClient的核心类图如下:

服务注册与发现组件 Eureka 客户端实现原理解析

DiscoveryClient的顶层接口为 LookupService,主要的目的是为了发现活跃中的服务实例。

 
   
   
 
  1. public interface LookupService<T> {


  2. //根据服务实例注册的appName来获取,获取一个封装有相同appName的服务实例信息的容器

  3. Application getApplication(String appName);

  4. //返回当前注册的所有的服务实例信息

  5. Applications getApplications();

  6. //根据服务实例的id获取

  7. List<InstanceInfo> getInstancesById(String id);

  8. //获取下一个可能的Eureka Server来处理当前对注册表信息的处理,一般是通过循环的方式来获取下一个Server

  9. InstanceInfo getNextServerFromEureka(String virtualHostname, boolean secure);

  10. }

Application中持有一个特定应用的多个实例的列表,可以理解成同一个服务的集群信息,它们都挂在同一个服务名appName下, InstanceInfo代表一个服务实例,部分代码如下:

 
   
   
 
  1. public class Application {


  2. private static Random shuffleRandom = new Random();


  3. //服务名

  4. private String name;


  5. @XStreamOmitField

  6. private volatile boolean isDirty = false;


  7. @XStreamImplicit

  8. private final Set<InstanceInfo> instances;


  9. private final AtomicReference<List<InstanceInfo>> shuffledInstances;


  10. private final Map<String, InstanceInfo> instancesMap;


  11. .....

  12. }

为了保证原子性操作以及数据的唯一性,防止脏数据, Application中对 InstanceInfo的操作都是同步操作,感受一下 Application.addInstance方法。

 
   
   
 
  1. public void addInstance(InstanceInfo i) {

  2. instancesMap.put(i.getId(), i);

  3. synchronized (instances) {

  4. instances.remove(i);

  5. instances.add(i);

  6. isDirty = true;

  7. }

  8. }

通过同步代码块,保证每次只有有一个线程对instances进行修改,同时注意instancesMap采用的是 ConcurrentHashMap实现,保证了原子性的操作,所以不需要通过同步代码块进行控制。

Applications中代表的是Eureka Server中已注册的服务实例的集合信息,主要是对 Application的封装,里面的操作大多也是的同步操作。

EurekaClient继承了 LookupService接口,为 DiscoveryClient提供了一个上层的接口,目的是试图方便从eureka 1.x 到eureka 2.x 的过渡,这说明 EurekaClient这个接口属于比较稳定的接口,即使在下一大阶段也会被依旧保留。

EurekaCientLookupService的基础上扩充了更多的接口,提供了更丰富的获取服务实例的功能,主要有:

  • 提供了本地客户端(位于的区域,可用区等)的数据,这部分与AWS密切相关;

  • 提供了为客户端注册和获取健康检查处理器;

除去查询相关的接口,关注 EurekaClient中的以下两个接口:

 
   
   
 
  1. // 为Eureka Client注册健康检查处理器

  2. // 一旦注册,客户端将通过调用新注册的健康检查处理器来对注册中instanceInfo

  3. // 进行一个按需更新,随后按照eurekaclientconfig.getinstanceinforeplicationintervalseconds()

  4. // 中配置的指定时间调用HealthCheckHandler

  5. public void registerHealthCheck(HealthCheckHandler healthCheckHandler);


  6. // 为eureka client注册一个EurekaEventListener(事件监听器)

  7. // 一旦注册,当eureka client的内部状态发生改变的时候,将会调用EurekaEventListener.onEvent()

  8. // 触发一定的事件。可以通过这种方式监听client的更新而非通过轮询的方式询问client

  9. public void registerEventListener(EurekaEventListener eventListener);

Eureka Server一般通过心跳(heartbeats)来识别一个实例的状态。Eureka Client中存在一个定时任务定时通过 HealthCheckHandler检测当前client的状态,如果client的状态发生改变,将会触发新的注册事件,同步Eureka Server的注册表中该服务实例的相关信息。

 
   
   
 
  1. public interface HealthCheckHandler {

  2. InstanceInfo.InstanceStatus getStatus(InstanceInfo.InstanceStatus currentStatus);

  3. }

spring-cloud-netflix-eureka-client中实现了这个的接口, EurekaHealthCheckHandler,主要的组合了 spring-boot-actuator中的 HealthAggregatorHealthIndicator实现了对 spring-boot应用的状态检测。

主要有以下的状态:

 
   
   
 
  1. public enum InstanceStatus {

  2. UP, // 可以接受服务请求

  3. DOWN, // 无法发送流量-健康检查失败

  4. STARTING, // 正在启动,无法发送流量

  5. OUT_OF_SERVICE, // 服务关闭,不接受流量

  6. UNKNOWN; // 未知状态

  7. }

Eureka中的事件模式,这是一个很明显的观察者模式,以下为它的类图类图:

客户端的服务注册与发现

DiscoveryClient的代码中,有实现服务注册与发现的功能的具体代码。在 DiscoveryClient构造函数中,Eureka Client会执行从Eureka Server中拉取注册表信息,注册自身等操作。DiscoveryClient的构造函数如下:

 
   
   
 
  1. DiscoveryClient(ApplicationInfoManager applicationInfoManager, EurekaClientConfig config,

  2. AbstractDiscoveryClientOptionalArgs args, Provider<BackupRegistry> backupRegistryProvider)

ApplicationInfoManagerEurekaClientConfig在前面的介绍中已经了解,一个是封装当前服务实例的配置信息的类,另一个是封装了client与server交互配置信息的类, AbstractDiscoveryClientOptionalArgsBackupRegistry是未介绍过的

BackupRegistry的接口代码如下:

 
   
   
 
  1. @ImplementedBy(NotImplementedRegistryImpl.class)

  2. public interface BackupRegistry {


  3. Applications fetchRegistry();


  4. Applications fetchRegistry(String[] includeRemoteRegions);

  5. }

它充当了备份注册中心的职责,当Eureka Client无法从任何一个Eureka Server中获取注册表信息时, BackupRegistry将被调用以获取注册表信息,但是默认的实现是 NotImplementedRegistryImpl,即没有实现。

 
   
   
 
  1. public abstract class AbstractDiscoveryClientOptionalArgs<T> {

  2. // 生成健康检查回调的工厂类,HealthCheckCallback已废弃

  3. Provider<HealthCheckCallback> healthCheckCallbackProvider;

  4. // 生成健康处理器的工厂类

  5. Provider<HealthCheckHandler> healthCheckHandlerProvider;

  6. // 向Eureka Server注册之前的预处理器

  7. PreRegistrationHandler preRegistrationHandler;

  8. // Jersey过滤器集合,Jersey1和Jersey2均可使用

  9. Collection<T> additionalFilters;

  10. // Jersey客户端,主要用于client与server之间的HTTP交互

  11. EurekaJerseyClient eurekaJerseyClient;

  12. // 生成Jersey客户端的工厂

  13. TransportClientFactory transportClientFactory;

  14. // 生成Jersey客户端的工厂的工厂

  15. TransportClientFactories transportClientFactories;

  16. // Eureka事件的监听器

  17. private Set<EurekaEventListener> eventListeners;

  18. ....

  19. }

AbstractDiscoveryClientOptionalArgs是用于注入一些可选参数的,以及一些 jersey1jersey2通用的过滤器, @Inject(optional=true)属性说明了该参数的可选性

在构造方法中,忽略掉大部分的赋值操作,逐步了解配置类中的属性会对 DiscoveryClient的行为造成什么影响

 
   
   
 
  1. if (config.shouldFetchRegistry()) {

  2. this.registryStalenessMonitor = new ThresholdLevelsMetric(this, METRIC_REGISTRY_PREFIX + "lastUpdateSec_", new long[]{15L, 30L, 60L, 120L, 240L, 480L});

  3. } else {

  4. this.registryStalenessMonitor = ThresholdLevelsMetric.NO_OP_METRIC;

  5. }

  6. if (config.shouldRegisterWithEureka()) {

  7. this.heartbeatStalenessMonitor = new ThresholdLevelsMetric(this, METRIC_REGISTRATION_PREFIX + "lastHeartbeatSec_", new long[]{15L, 30L, 60L, 120L, 240L, 480L});

  8. } else {

  9. this.heartbeatStalenessMonitor = ThresholdLevelsMetric.NO_OP_METRIC;

  10. }

config.shouldFetchRegistry()(对应配置为 eureka.client.fetch-register),为true表示Eureka Client将从Eureka Server中拉取注册表的信息,config.shouldRegisterWithEureka(对应配置为 eureka.client.register-with-eureka),为true表示Eureka Client将注册到Eureka Server中。

如果上述的两个配置均为false,那么Discovery的初始化就直接结束,表示该客户端既不进行服务注册也不进行服务发现

接着初始化一个基于线程池的定时器线程池 ScheduledExecutorService,线程池大小为2,一个用于心跳,一个用于缓存刷新,同时初始化了心跳和缓存刷新线程池(ThreadPoolExecutor)。关于 ScheduledExecutorServiceThreadPoolExecutor之间的关系在此不展开。

 
   
   
 
  1. scheduler = Executors.newScheduledThreadPool(2,

  2. new ThreadFactoryBuilder()

  3. .setNameFormat("DiscoveryClient-%d")

  4. .setDaemon(true)

  5. .build());


  6. heartbeatExecutor = new ThreadPoolExecutor(

  7. 1, clientConfig.getHeartbeatExecutorThreadPoolSize(), 0, TimeUnit.SECONDS,

  8. new SynchronousQueue<Runnable>(),

  9. new ThreadFactoryBuilder()

  10. .setNameFormat("DiscoveryClient-HeartbeatExecutor-%d")

  11. .setDaemon(true)

  12. .build()

  13. ); // use direct handoff

  14. cacheRefreshExecutor = new ThreadPoolExecutor(

  15. 1, clientConfig.getCacheRefreshExecutorThreadPoolSize(), 0, TimeUnit.SECONDS,

  16. new SynchronousQueue<Runnable>(),

  17. new ThreadFactoryBuilder()

  18. .setNameFormat("DiscoveryClient-CacheRefreshExecutor-%d")

  19. .setDaemon(true)

  20. .build()

  21. ); // use direct handoff

接着初始化了Eureka Client与Eureka Server进行HTTP交互的Jersy客户端,将 AbstractDiscoveryClientOptionalArgs中的属性用来构建 EurekaTransport

 
   
   
 
  1. eurekaTransport = new EurekaTransport();

  2. scheduleServerEndpointTask(eurekaTransport, args);

EurekaTransportDiscoveryClient中的一个内部类,其内封装了 DiscoveryClient与Eureka Server进行HTTP调用的Jersy客户端:

 
   
   
 
  1. private static final class EurekaTransport {

  2. // Server endPoint解析器

  3. private ClosableResolver bootstrapResolver;

  4. // Jersy客户端生成工厂

  5. private TransportClientFactory transportClientFactory;

  6. // 注册客户端

  7. private EurekaHttpClient registrationClient;

  8. // 注册客户端生成工厂

  9. private EurekaHttpClientFactory registrationClientFactory;

  10. // 发现服务客户端

  11. private EurekaHttpClient queryClient;

  12. // 发现服务客户端生成工厂

  13. private EurekaHttpClientFactory queryClientFactory;


  14. ....


  15. }

关于AWS region中的相关配置略过。

客户端的更多内容,将会在下篇文章介绍,敬请关注。

详细了解本书: