SpringCloud 详解配置刷新的原理

首先先介绍下实现后的效果:
1、在需要动态配置属性的类上添加注解@RefreshScope表示此类Scope为refresh类型的
2、启动工程,修改config-server对应的配置文件,这里修改的是system.order.serverName
3、以post的方式调用refresh接口,返回修改后的key值
4、访问infoTest接口,可以看到修改后的值

详细流程:

依次启动config-server,eureka-server后,再启动订单服务order-service,首先访问http://localhost:8100/infoTest 查看serverName的值:
这里写图片描述
然后修改config-server工程下的order-service-dev.properties中的system.order.serverName为Order Service modified,通过postman使用POST的方式调用refresh接口,可以看到返回了修改的属性的key,继续访问http://localhost:8100/infoTest 显示新的数据如下:
这里写图片描述
可以看到对应的属性值已经变化了。


基本使用演示完了,下面该对属性刷新原理进行详细探究:
1、先从基本入口refresh接口入手,在项目启动时可以看到log

Mapped "{[/refresh || /refresh.json],methods=[POST]}" onto public java.lang.Object org.springframework.cloud.endpoint.GenericPostableMvcEndpoint.invoke()

可以知道refresh对应的handler是GenericPostableMvcEndpoint的invoke方法
2、继续进入GenericPostableMvcEndpoint看invoke源码:

    @RequestMapping(method = RequestMethod.POST)
    @ResponseBody
    @Override
    public Object invoke() {
        if (!getDelegate().isEnabled()) {
            return new ResponseEntity<>(Collections.singletonMap(
                    "message", "This endpoint is disabled"), HttpStatus.NOT_FOUND);
        }
        return super.invoke();
    }

非常简单,直接调用父类的invoke方法,继续跟进到AbstractEndpointMvcAdapter类,发现最后调用的是delegate的invoke方法,而且delegate是从构造方法传入的。

    protected Object invoke() {
        if (!this.delegate.isEnabled()) {
            // Shouldn't happen - shouldn't be registered when delegate's disabled
            return getDisabledResponse();
        }
        return this.delegate.invoke();
    }

3、步骤2可以看出最终调用的是对应泛型的invoke方法,那么找到注入refresh接口的地方,通过查询哪里使用到此类,查找到LifecycleMvcEndpointAutoConfiguration,通过refreshMvcEndpoint方法注入了refresh接口

    @Bean
    @ConditionalOnBean(RefreshEndpoint.class)
    public MvcEndpoint refreshMvcEndpoint(RefreshEndpoint endpoint) {
        return new GenericPostableMvcEndpoint(endpoint);
    }

4、可以那么GenericPostableMvcEndpoint中的delegate就是RefreshEndpoint,转至研究RefreshEndpoint

    @ManagedOperation
    public String[] refresh() {
        Set<String> keys = contextRefresher.refresh();
        return keys.toArray(new String[keys.size()]);
    }

    @Override
    public Collection<String> invoke() {
        return Arrays.asList(refresh());
    }

发现invoke方法很简单,只是返回一个修改过的属性key的集合对象。核心方法contextRefresher.refresh()

5、跟进到contextRefresher.refresh()方法,这里就是核心了

    public synchronized Set<String> refresh() {
    //获取目前系统的配置
        Map<String, Object> before = extract(
            this.context.getEnvironment().getPropertySources());
            //获取最新配置
        addConfigFilesToEnvironment();
        //对比目前系统配置和最新配置,返回修改后的属性
        Set<String> keys = changes(before,
                extract(this.context.getEnvironment().getPropertySources())).keySet();
                //通知系统配置变更
        this.context.publishEvent(new EnvironmentChangeEvent(keys));
        //对应的bean刷新
        this.scope.refreshAll();
        return keys;
    }

6、核心就是获取最新的配置,那么是如何获取的呢?之前
还以为是通过直接调用config配置加载呢,那么继续看addConfigFilesToEnvironment源码:

private void addConfigFilesToEnvironment() {
        ConfigurableApplicationContext capture = null;
        try {
            StandardEnvironment environment = copyEnvironment(
                    this.context.getEnvironment());
            //这里就是核心了,启动SpringBoot环境
            SpringApplicationBuilder builder = new SpringApplicationBuilder(Empty.class)
                    .bannerMode(Mode.OFF).web(false).environment(environment);
            // Just the listeners that affect the environment (e.g. excluding logging
            // listener because it has side effects)
            builder.application()
                    .setListeners(Arrays.asList(new BootstrapApplicationListener(),
                            new ConfigFileApplicationListener()));
            capture = builder.run();
            if (environment.getPropertySources().contains(REFRESH_ARGS_PROPERTY_SOURCE)) {
                environment.getPropertySources().remove(REFRESH_ARGS_PROPERTY_SOURCE);
            }
            MutablePropertySources target = this.context.getEnvironment()
                    .getPropertySources();
            String targetName = null;
            for (PropertySource<?> source : environment.getPropertySources()) {
                String name = source.getName();
                if (target.contains(name)) {
                    targetName = name;
                }
                if (!this.standardSources.contains(name)) {
                    if (target.contains(name)) {
                        target.replace(name, source);
                    }
                    else {
                        if (targetName != null) {
                            target.addAfter(targetName, source);
                        }
                        else {
                            if (target.contains("defaultProperties")) {
                                target.addBefore("defaultProperties", source);
                            }
                            else {
                                target.addLast(source);
                            }
                        }
                    }
                }
            }
        }
        finally {
            ConfigurableApplicationContext closeable = capture;
            closeable.close();
        }

    }

通过以上代码可知,刷新不是我之前想象的直接调用config获取最新配置的,而是通过重新创建一个SpringBoot环境(非WEB),等到SpringBoot环境启动时就相当于重新启动了一个非web版的服务器。此时config会自动加载到最新的配置。这个过程类似于启动服务器。
等到服务器启动成功后,获取到最新的配置,然后跟原来的配置进行对比,返回修改过的key值。

7、获取到修改后的配置后,发出EnvironmentChangeEvent事件,ConfigurationPropertiesRebinder监听了此事件,调用rebind方法进行配置重新加载

8、this.scope.refreshAll();首先销毁scope为refresh的bean。然后发出RefreshScopeRefreshedEvent事件,通知bean生命周期已经变更,已知两个类EurekaDiscoveryClientConfiguration.EurekaClientConfigurationRefresher接收了此事件,EurekaClientConfigurationRefresher接收到此事件后,进行对eureka服务器重连的操作。


总结:通过以上步骤,配置刷新基本流程就是再起一个SpringBoot环境,加载最新配置,与目前环境配置对应,筛选出变化后的属性,将scope类型为refresh的bean销毁。等到下一次获取时bean时重新装配bean,这样最新配置就注入ok了。具体其他细节自己Debug就行了。


本文中的代码已提交至: https://gitee.com/cmlbeliever/springcloud 欢迎Star


  • 6
    点赞
  • 23
    收藏
    觉得还不错? 一键收藏
  • 6
    评论
### 回答1: Spring Cloud Eureka 是一款服务注册和发现的组件,它可以让开发人员更方便地创建分布式系统。下面是 Spring Cloud Eureka 配置的详细解释: 1. 引入依赖 在项目的 pom.xml 文件中,需要添加以下依赖: ``` <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-netflix-eureka-server</artifactId> <version>2.2.3.RELEASE</version> </dependency> ``` 2. 配置文件 在配置文件中需要添加以下内容: ``` spring: application: name: eureka-server server: port: 8761 eureka: instance: hostname: localhost client: register-with-eureka: false fetch-registry: false service-url: defaultZone: http://${eureka.instance.hostname}:${server.port}/eureka/ ``` 这里定义了服务的名称和端口,以及 Eureka Server 的配置。其中,`register-with-eureka` 和 `fetch-registry` 的值都设置为 false,表示该服务既不需要注册到 Eureka 服务器上,也不需要从 Eureka 服务器上获取服务注册表信息。 3. 启动 Eureka Server 在 Spring Boot 应用程序中添加 `@EnableEurekaServer` 注解即可启动 Eureka Server。例如: ``` @SpringBootApplication @EnableEurekaServer public class EurekaServerApplication { public static void main(String[] args) { SpringApplication.run(EurekaServerApplication.class, args); } } ``` 4. 注册服务 在需要注册到 Eureka 服务器上的服务中,需要添加以下依赖: ``` <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-netflix-eureka-client</artifactId> <version>2.2.3.RELEASE</version> </dependency> ``` 在服务的配置文件中添加以下内容: ``` spring: application: name: service-hello eureka: client: service-url: defaultZone: http://localhost:8761/eureka/ ``` 其中,`application.name` 的值为服务的名称,`eureka.client.service-url.defaultZone` 的值为 Eureka Server 的地址。 5. 启动服务 在服务的主类中添加 `@EnableDiscoveryClient` 注解,表示该服务需要注册到 Eureka 服务器上。例如: ``` @SpringBootApplication @EnableDiscoveryClient public class ServiceHelloApplication { public static void main(String[] args) { SpringApplication.run(ServiceHelloApplication.class, args); } } ``` 通过以上步骤,就可以使用 Spring Cloud Eureka 实现服务注册和发现了。 ### 回答2: SpringCloud Eureka是SpringCloud的核心组件之一,它提供了一种服务治理的解决方案。在分布式系统中,服务之间的相互调用是不可避免的,Eureka可以管理服务之间的依赖关系,确保服务间的通信和服务的高可用性。本文将介绍SpringCloud Eureka的配置详解。 一、Eureka Server配置 1. 引入Eureka Server依赖 ```xml <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-eureka-server</artifactId> </dependency> ``` 2. 配置application.yml ```yaml server: port: 8761 spring: application: name: eureka-server profiles: active: dev eureka: instance: hostname: localhost client: serviceUrl: defaultZone: http://localhost:8761/eureka/ server: enable-self-preservation: false eviction-interval-timer-in-ms: 30000 response-cache-update-interval-ms: 30000 registry-fetch-interval-seconds: 5 prefer-same-zone-eureka: true ``` 注释: 1. serviceUrl.defaultZone 是 Eureka Server 上的服务 URL,这里是设置为本地的 URL。 2. server.enable-self-preservation 为是否开启自我保护模式,开启后会自动将当前实例加入到Eureka Server的服务列表中。 3. eviction-interval-timer-in-ms:清理失效节点的时间间隔,默认为 60 秒。 4. registry-fetch-interval-seconds:Eureka Server 获取注册表数据的间隔时间,默认为 30 秒。 5. prefer-same-zone-eureka:是否优先选择同一个 Zone 的实例。 二、Eureka Client配置 1. 引入Eureka Client依赖 ```xml <dependency> <groupId>org.springframework.cloud</groupId> <artifactId>spring-cloud-starter-eureka</artifactId> </dependency> ``` 2. 配置application.yml ```yaml server: port: 8080 spring: application: name: service-one profiles: active: dev eureka: instance: instance-id: ${spring.application.name}:${random.int} prefer-ip-address: true # 避免hostname无法访问 client: serviceUrl: defaultZone: http://localhost:8761/eureka/ fetch-registry: true register-with-eureka: true healthcheck: enabled: true server: wait-time-in-ms-when-sync-empty: 0 ``` 注释: 1. instance.instance-id:实例的名称,建议加上随机数,避免实例名冲突。 2. client.fetch-registry:是否从 Eureka Server 获取注册表。 3. client.register-with-eureka:是否将服务注册到 Eureka Server。 4. healthcheck.enabled:是否开启健康检查,开启后Eureka Server能够监测到服务是否存活。 5. 实际开发中常用的还有其他的配置参数,例如eureka.instance.ip-address,eureka.instance.non-secure-port等。 三、实现服务注册 1. 实现服务接口 ```java @Service public class UserServiceImpl implements IUserService { @Override public User getUserById(int id) { return new User(id, "Tom"); } } ``` 2. 添加@EnableDiscoveryClient注解 ```java @EnableDiscoveryClient @SpringBootApplication public class ServiceOneApplication { public static void main(String[] args) { SpringApplication.run(ServiceOneApplication.class, args); } } ``` 3. 在Controller中使用RestTemplate调用其他服务 ```java @RestController public class UserController { @Autowired private RestTemplate restTemplate; @GetMapping("/user/{id}") public User getUserById(@PathVariable int id) { String url = "http://service-two/user/" + id; return restTemplate.getForObject(url, User.class); } } ``` 四、小结 本文简要介绍了 SpringCloud Eureka 的基本配置,包括Eureka Server和Eureka Client的配置,以及服务注册的实现。在实际开发中,我们根据具体需要进行更加详细的配置和实现。SpringCloud Eureka作为SpringCloud微服务体系的核心组件之一,是服务治理的不二选择。 ### 回答3: Spring Cloud Eureka是一个开源的服务注册中心,用来解决微服务系统中服务的注册与发现问题。在微服务架构中,由于服务数量庞大,需要有一个中心化的服务注册与发现机制来协调各个服务之间的调用关系。Spring Cloud Eureka就是这样一个核心组件,它可以帮助我们管理和调度微服务。下面,我们就来详细了解一下Spring Cloud Eureka的配置。 在Spring Boot中,我们可以使用@EnableEurekaServer注解来启用Eureka Server。具体配置如下: ```java @SpringBootApplication @EnableEurekaServer public class EurekaApplication { public static void main(String[] args) { SpringApplication.run(EurekaApplication.class, args); } } ``` @EnableEurekaServer注解用来启用Eureka Server功能。Spring Boot应用启动后,Eureka Server也会自动启动。默认情况下,Eureka Server的端口号为8761。 接下来,我们需要在application.yml配置文件中添加如下配置: ```yaml server: port: 8761 # 指定Eureka Server的端口号 eureka: instance: hostname: localhost # Eureka Server的主机名,默认为localhost client: register-with-eureka: false # 是否向Eureka Server注册自己,默认为true fetch-registry: false # 是否检索服务列表,默认为true service-url: defaultZone: http://${eureka.instance.hostname}:${server.port}/eureka/ ``` 在配置文件中,我们可以指定Eureka Server的端口号、主机名、服务注册与检索等参数。其中,register-with-eureka参数表示是否向Eureka Server注册自己,默认为true,如果我们不想在Eureka Server上注册自己,可以将该参数设置为false。fetch-registry参数表示是否检索服务列表,默认为true,如果我们不想从Eureka Server上检索服务列表,可以将该参数设置为false。service-url参数是Eureka Server的服务地址,可以指定多个服务地址,以逗号分隔。 在服务提供者中,我们也需要添加Eureka Client依赖,并进行相关配置。在build.gradle文件中添加如下依赖: ```gradle dependencies { implementation 'org.springframework.cloud:spring-cloud-starter-netflix-eureka-client' } ``` 在application.yml配置文件中添加如下配置: ```yaml eureka: client: service-url: defaultZone: http://localhost:8761/eureka/ # 指定Eureka Server的服务地址 spring: application: name: service-hello # 服务名称,必须唯一 ``` 在服务启动时,会通过Eureka Client向Eureka Server注册自己,并提供服务。service-hello就是服务的名称,必须唯一。在客户端中,我们只需要使用服务名称来调用服务,Eureka Client会帮我们负责服务的发现和负载均衡。 以上就是Spring Cloud Eureka的基本配置。通过对Eureka Server和Eureka Client的配置,我们可以实现服务的注册、发现和负载均衡功能。在实际应用中,服务治理是微服务架构中不可或缺的一部分,Spring Cloud Eureka为我们提供了很好的解决方案。

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论 6
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值