Springboot集成Nacos配置

参考文档

Nacos 融合 Spring Boot,成为注册配置中心 | Nacos 官网​​​​​​​

版本

<dependency><groupId>org.springframework.boot</groupId><artifactId>spring-boot-starter-parent</artifactId><version>2.3.1.RELEASE</version><type>pom</type><scope>import</scope>
</dependency>
<dependency><groupId>com.alibaba.boot</groupId><artifactId>nacos-config-spring-boot-starter</artifactId><version>0.2.8</version>
</dependency>

注意:nacos-client的版本要与nacos-server的版本一致,我的服务端版本是1.4.2,所以
nacos-config-spring-boot-starter使用的0.2.8;如果服务端版本是2.X,则nacos-
config-spring-boot-starter需要使用0.2.9(包含)以上版本,主要看其中依赖的nacos-client的版本要与nacos-server的版本一致;

配置文件

application.yml文件中的配置

nacos:config:bootstrap:// 一定要开启enable: truelog-enable: trueserver-addr: xxxauto-refresh: truedata-id: xxxtype: yaml

使用方式

方式1:类似@ConfigurationProperties

@Getter
@Setter
@Component
@NacosConfigurationProperties(dataId = "${nacos.config.data-id}", autoRefreshed = true)
public class MyNacosConfig {private String useLocalCache;}

方式2:类似@Value

    @NacosValue(value = "${useLocalCache}", autoRefreshed = true)private String useLocalCache;

原理

核心组件和机制:

  1. 一致性协议(比如Raft):Nacos使用一致性协议来保证集群环境下配置的一致性,确保各个节点的配置信息保持同步。

  2. 客户端长轮询和监听:当客户端向Nacos服务器请求配置时,Nacos服务器可以持续保持连接,并在配置更新时立刻推送最新的配置信息给客户端。

  3. 版本控制:Nacos会对配置信息进行版本管理,每次配置更新都会导致版本号的变化,客户端可以通过版本号来判断是否有新的配置更新。

基本的工作流程:

  1. 客户端向Nacos服务器订阅某个配置项,比如一个特定的数据ID。

  2. Nacos服务器收到订阅请求后,会将该订阅信息加入到订阅管理中,同时监听该配置项的变化。

  3. 当有更新操作触发时,Nacos服务器会更新配置项的内容,并通知所有订阅了该配置项的客户端。Nacos会将最新的配置信息推送给所有订阅的客户端。

  4. 客户端收到配置更新通知后,根据实际需要进行配置的更新和加载,保证配置信息的最新性和一致性。

通过这种机制,Nacos能够实现配置的动态更新。这种基于监听和推送的方式,确保了配置信息可以及时地被客户端获取和应用,从而实现了动态配置的管理和更新。

总体来说,Nacos动态更新配置的原理是基于订阅、监听和推送机制,加上版本控制和一致性协议的支持,来保证配置信息在分布式环境下的动态更新和同步。

源码分析

jar包中的spring.factorise文件中

EnableAutoConfiguration自动装配

org.springframework.boot.autoconfigure.EnableAutoConfiguration=\com.alibaba.boot.nacos.config.autoconfigure.NacosConfigAutoConfiguration

@Import导入配置类 

@ConditionalOnProperty(name = NacosConfigConstants.ENABLED, matchIfMissing = true)
@ConditionalOnMissingBean(name = CONFIG_GLOBAL_NACOS_PROPERTIES_BEAN_NAME)
@EnableConfigurationProperties(value = NacosConfigProperties.class)
@ConditionalOnClass(name = "org.springframework.boot.context.properties.bind.Binder")
// 导入配置类
@Import(value = { NacosConfigBootBeanDefinitionRegistrar.class })
@EnableNacosConfig
public class NacosConfigAutoConfiguration {}

注册NacosBootConfigurationPropertiesBinder

@Configuration
public class NacosConfigBootBeanDefinitionRegistrarimplements ImportBeanDefinitionRegistrar, BeanFactoryAware {@Overridepublic void setBeanFactory(BeanFactory beanFactory) throws BeansException {DefaultListableBeanFactory defaultListableBeanFactory = (DefaultListableBeanFactory) beanFactory;// 声明bd构造器BeanDefinitionBuilder beanDefinitionBuilder = BeanDefinitionBuilder.rootBeanDefinition(NacosBootConfigurationPropertiesBinder.class);// 注册db,名字:nacosConfigurationPropertiesBinderdefaultListableBeanFactory.registerBeanDefinition(NacosBootConfigurationPropertiesBinder.BEAN_NAME,beanDefinitionBuilder.getBeanDefinition());}@Overridepublic void registerBeanDefinitions(AnnotationMetadata importingClassMetadata,BeanDefinitionRegistry registry) {}
}

@EnableNacosConfig

 启用nacos配置,@Import(),导入NacosConfigBeanDefinitionRegistrar.class

	@Overridepublic void registerBeanDefinitions(AnnotationMetadata metadata,BeanDefinitionRegistry registry) {AnnotationAttributes attributes = fromMap(metadata.getAnnotationAttributes(EnableNacosConfig.class.getName()));// 注册全局Nacos属性BeanregisterGlobalNacosProperties(attributes, registry, environment,CONFIG_GLOBAL_NACOS_PROPERTIES_BEAN_NAME);// 注册nacos通用beanregisterNacosCommonBeans(registry);// 注册nacos配置beanregisterNacosConfigBeans(registry, environment, beanFactory);// 立即执行NacosPropertySourcePostProcessor// 为了提高@NacosPropertySource进程的优先级invokeNacosPropertySourcePostProcessor(beanFactory);}
public static void registerNacosConfigBeans(BeanDefinitionRegistry registry,Environment environment, BeanFactory beanFactory) {// Register PropertySourcesPlaceholderConfigurer BeanregisterPropertySourcesPlaceholderConfigurer(registry, beanFactory);registerNacosConfigPropertiesBindingPostProcessor(registry);registerNacosConfigListenerMethodProcessor(registry);registerNacosPropertySourcePostProcessor(registry);// 处理注解@NacosPropertySourcesregisterAnnotationNacosPropertySourceBuilder(registry);registerNacosConfigListenerExecutor(registry, environment);// 处理@NacosValueregisterNacosValueAnnotationBeanPostProcessor(registry);registerConfigServiceBeanBuilder(registry);registerLoggingNacosConfigMetadataEventListener(registry);}
NacosValueAnnotationBeanPostProcessor

@NacosValue注解bean后置处理器

配置变更:CacheData#checkListenerMd5,发送事件NacosConfigReceivedEvent,NacosValueAnnotationBeanPostProcessor接收处理事件

@Overridepublic void onApplicationEvent(NacosConfigReceivedEvent event) {for (Map.Entry<String, List<NacosValueTarget>> entry : placeholderNacosValueTargetMap.entrySet()) {String key = environment.resolvePlaceholders(entry.getKey());// 此时env中已经是最新的数据了String newValue = environment.getProperty(key);if (newValue == null) {continue;}List<NacosValueTarget> beanPropertyList = entry.getValue();for (NacosValueTarget target : beanPropertyList) {String md5String = MD5Utils.md5Hex(newValue, "UTF-8");boolean isUpdate = !target.lastMD5.equals(md5String);if (isUpdate) {target.updateLastMD5(md5String);Object evaluatedValue = resolveNotifyValue(target.nacosValueExpr, key, newValue);if (target.method == null) {// 通过反射设置到bean中setField(target, evaluatedValue);}else {setMethod(target, evaluatedValue);}}}}}

EnvironmentPostProcessor环境处理器

org.springframework.boot.env.EnvironmentPostProcessor=\com.alibaba.boot.nacos.config.autoconfigure.NacosConfigEnvironmentProcessor

 环境后置处理

	@Overridepublic void postProcessEnvironment(ConfigurableEnvironment environment,SpringApplication application) {// 添加初始化器application.addInitializers(new NacosConfigApplicationContextInitializer(this));nacosConfigProperties = NacosConfigPropertiesUtils.buildNacosConfigProperties(environment);if (enable()) {System.out.println("[Nacos Config Boot] : The preload log configuration is enabled");  // 加载配置,保存到envloadConfig(environment);}}

加载配置 

	private void loadConfig(ConfigurableEnvironment environment) {NacosConfigLoader configLoader = new NacosConfigLoader(nacosConfigProperties,environment, builder);// 加载配置configLoader.loadConfig();// set defer NacosPropertySourcedeferPropertySources.addAll(configLoader.getNacosPropertySources());}

获取nacos服务端配置 

private NacosPropertySource[] reqNacosConfig(Properties configProperties,String[] dataIds, String groupId, ConfigType type, boolean isAutoRefresh) {final NacosPropertySource[] propertySources = new NacosPropertySource[dataIds.length];for (int i = 0; i < dataIds.length; i++) {if (StringUtils.isEmpty(dataIds[i])) {continue;}// 解析占位符final String dataId = environment.resolvePlaceholders(dataIds[i].trim());// builder.apply获取NacosConfigService对象// 通过get调接口方式获取配置内容final String config = NacosUtils.getContent(builder.apply(configProperties),dataId, groupId);// 构建NacosPropertySource和DeferNacosPropertySourcefinal NacosPropertySource nacosPropertySource = new NacosPropertySource(dataId, groupId,buildDefaultPropertySourceName(dataId, groupId, configProperties),config, type.getType());nacosPropertySource.setDataId(dataId);nacosPropertySource.setType(type.getType());nacosPropertySource.setGroupId(groupId);nacosPropertySource.setAutoRefreshed(isAutoRefresh);logger.info("load config from nacos, data-id is : {}, group is : {}",nacosPropertySource.getDataId(), nacosPropertySource.getGroupId());propertySources[i] = nacosPropertySource;DeferNacosPropertySource defer = new DeferNacosPropertySource(nacosPropertySource, configProperties, environment);nacosPropertySources.add(defer);}return propertySources;}

 初始化NacosConfigService对象

    public NacosConfigService(Properties properties) throws NacosException {ValidatorUtils.checkInitParam(properties);String encodeTmp = properties.getProperty(PropertyKeyConst.ENCODE);if (StringUtils.isBlank(encodeTmp)) {this.encode = Constants.ENCODE;} else {this.encode = encodeTmp.trim();}initNamespace(properties);this.configFilterChainManager = new ConfigFilterChainManager(properties);this.agent = new MetricsHttpAgent(new ServerHttpAgent(properties));this.agent.start();// 初始化nacos客户端,ClientWorker里面会启动一个线程,创建与服务端的长连接,接受服务端的各种事件通知,其中就包括配置变更事件this.worker = new ClientWorker(this.agent, this.configFilterChainManager, properties);}

nacos客户端

public ClientWorker(final HttpAgent agent, final ConfigFilterChainManager configFilterChainManager,final Properties properties) {this.agent = agent;this.configFilterChainManager = configFilterChainManager;init(properties);// 1个线程的周期线程池this.executor = Executors.newScheduledThreadPool(1, new ThreadFactory() {@Overridepublic Thread newThread(Runnable r) {Thread t = new Thread(r);t.setName("com.alibaba.nacos.client.Worker." + agent.getName());t.setDaemon(true);return t;}});// cpu核心数周期线程池,执行长轮询this.executorService = Executors.newScheduledThreadPool(Runtime.getRuntime().availableProcessors(), new ThreadFactory() {@Overridepublic Thread newThread(Runnable r) {Thread t = new Thread(r);t.setName("com.alibaba.nacos.client.Worker.longPolling." + agent.getName());t.setDaemon(true);return t;}});// 延迟1ms,每10ms执行一次this.executor.scheduleWithFixedDelay(new Runnable() {@Overridepublic void run() {try {checkConfigInfo();} catch (Throwable e) {LOGGER.error("[" + agent.getName() + "] [sub-check] rotate check error", e);}}}, 1L, 10L, TimeUnit.MILLISECONDS);}

在刷新上下文之前执行NacosConfigApplicationContextInitializer 

初始化

@Overridepublic void initialize(ConfigurableApplicationContext context) {singleton.setApplicationContext(context);environment = context.getEnvironment();nacosConfigProperties = NacosConfigPropertiesUtils.buildNacosConfigProperties(environment);final NacosConfigLoader configLoader = new NacosConfigLoader(nacosConfigProperties, environment, builder);else {if (processor.enable()) {processor.publishDeferService(context);// 添加CacheData到本地缓存,并绑定监听器configLoader.addListenerIfAutoRefreshed(processor.getDeferPropertySources());}else {configLoader.loadConfig();configLoader.addListenerIfAutoRefreshed();}}final ConfigurableListableBeanFactory factory = context.getBeanFactory();if (!factory.containsSingleton(NacosBeanUtils.GLOBAL_NACOS_PROPERTIES_BEAN_NAME)) {// 注册单例globalNacosProperties
factory.registerSingleton(NacosBeanUtils.GLOBAL_NACOS_PROPERTIES_BEAN_NAME,configLoader.buildGlobalNacosProperties());}}

添加监听器DelegatingEventPublishingListener

通过EventPublishingConfigService 注册 DelegatingEventPublishingListener;

发布事件NacosConfigListenerRegisteredEvent;

向cacheMap中增加任务

 public CacheData addCacheDataIfAbsent(String dataId, String group, String tenant) throws NacosException {String key = GroupKey.getKeyTenant(dataId, group, tenant);CacheData cacheData = cacheMap.get(key);if (cacheData != null) {return cacheData;}cacheData = new CacheData(configFilterChainManager, agent.getName(), dataId, group, tenant);// 将cacheData放入cacheMap中CacheData lastCacheData = cacheMap.putIfAbsent(key, cacheData);if (lastCacheData == null) {if (enableRemoteSyncConfig) {ConfigResponse response = getServerConfig(dataId, group, tenant, 3000L);cacheData.setContent(response.getContent());}int taskId = cacheMap.size() / (int) ParamUtil.getPerTaskConfigSize();cacheData.setTaskId(taskId);lastCacheData = cacheData;}lastCacheData.setInitializing(true);LOGGER.info("[{}] [subscribe] {}", agent.getName(), key);// 监听器计数MetricsMonitor.getListenConfigCountMonitor().set(cacheMap.size());return lastCacheData;}

执行长轮询任务

    public void checkConfigInfo() {// Dispatch tasks.int listenerSize = cacheMap.size();// Round up the longingTaskCount.int longingTaskCount = (int) Math.ceil(listenerSize / ParamUtil.getPerTaskConfigSize());if (longingTaskCount > currentLongingTaskCount) {for (int i = (int) currentLongingTaskCount; i < longingTaskCount; i++) {// 执行长轮询任务executorService.execute(new LongPollingRunnable(i));}currentLongingTaskCount = longingTaskCount;}}

 LongPollingRunnable

class LongPollingRunnable implements Runnable {private final int taskId;public LongPollingRunnable(int taskId) {this.taskId = taskId;}@Overridepublic void run() {List<CacheData> cacheDatas = new ArrayList<CacheData>();List<String> inInitializingCacheList = new ArrayList<String>();try {// 检查配置是否正确for (CacheData cacheData : cacheMap.values()) {// 省略}// 调服务端post接口,返回哪些数据变化,一般要30sList<String> changedGroupKeys = checkUpdateDataIds(cacheDatas, inInitializingCacheList);if (!CollectionUtils.isEmpty(changedGroupKeys)) {LOGGER.info("get changedGroupKeys:" + changedGroupKeys);}// 遍历所有变化的数据for (String groupKey : changedGroupKeys) {String[] key = GroupKey.parseKey(groupKey);String dataId = key[0];String group = key[1];String tenant = null;if (key.length == 3) {tenant = key[2];}try {ConfigResponse response = getServerConfig(dataId, group, tenant, 3000L);CacheData cache = cacheMap.get(GroupKey.getKeyTenant(dataId, group, tenant));// 更新本地缓存中的配置cache.setContent(response.getContent());cache.setEncryptedDataKey(response.getEncryptedDataKey());if (null != response.getConfigType()) {cache.setType(response.getConfigType());}LOGGER.info("[{}] [data-received] dataId={}, group={}, tenant={}, md5={}, content={}, type={}",agent.getName(), dataId, group, tenant, cache.getMd5(),ContentUtils.truncateContent(response.getContent()), response.getConfigType());} catch (NacosException ioe) {String message = String.format("[%s] [get-update] get changed config exception. dataId=%s, group=%s, tenant=%s",agent.getName(), dataId, group, tenant);LOGGER.error(message, ioe);}}for (CacheData cacheData : cacheDatas) {if (!cacheData.isInitializing() || inInitializingCacheList.contains(GroupKey.getKeyTenant(cacheData.dataId, cacheData.group, cacheData.tenant))) {cacheData.checkListenerMd5();cacheData.setInitializing(false);}}inInitializingCacheList.clear();// 递归executorService.execute(this);} catch (Throwable e) {// If the rotation training task is abnormal, the next execution time of the task will be punishedLOGGER.error("longPolling error : ", e);executorService.schedule(this, taskPenaltyTime, TimeUnit.MILLISECONDS);}}}

ApplicationListener应用监听器

日志

org.springframework.context.ApplicationListener=\com.alibaba.boot.nacos.config.logging.NacosLoggingListener

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/web/48441.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Layer2区块链扩容方案(1)——总述

写在前面 这篇文章作为一个简单介绍&#xff0c;很多技术只是大致提及或者引用&#xff0c;之后会在详细学习后逐项解释。 补充知识 在了解扩容方案之前&#xff0c;我们最好了解一些相关的知识概念 EVM “EVM” 是“Ethereum Virtual Machine”&#xff08;以太坊虚拟机&…

相机的内参与外参

目录 一、相机的内参二、相机的外参 一、相机的内参 如下图所示是相机的针孔模型示意图&#xff1a; 光心O所处平面是相机坐标系(O&#xff0c;P)&#xff0c;像素平面所在坐标系为像素坐标系(O’&#xff0c;P’)。 焦距f&#xff1a;O到O’的距离 相机的内参表示的是相机坐标…

100个python的基本语法知识【上】

0. 变量和赋值&#xff1a; x 5 name “John” 1. 数据类型&#xff1a; 整数&#xff08;int&#xff09; 浮点数&#xff08;float&#xff09; 字符串&#xff08;str&#xff09; 布尔值&#xff08;bool&#xff09; 2. 注释&#xff1a; # 这是单行注释 ""…

SQL Server数据迁移新纪元:数据库数据泵(Data Pump)使用指南

SQL Server数据迁移新纪元&#xff1a;数据库数据泵&#xff08;Data Pump&#xff09;使用指南 在数据管理的世界里&#xff0c;数据迁移是一个常见且复杂的过程。SQL Server提供了一个强大的工具——数据库数据泵&#xff08;Data Pump&#xff09;&#xff0c;它可以帮助我…

mysql面试(三)

MVCC机制 MVCC&#xff08;Multi-Version Concurrency Control&#xff09; 即多版本并发控制&#xff0c;了解mvcc机制&#xff0c;需要了解如下这些概念 事务id 事务每次开启时&#xff0c;都会从数据库获得一个自增长的事务ID&#xff0c;可以从事务ID判断事务的执行先后…

QT 信号槽机制

核心函数为 QMetaObject::Connection QObject::connect(const QObject *sender, const char *signal, const QObject *receiver, const char *method, Qt::ConnectionType type Qt::AutoConnection) 参数为 1.信号发生对象 2.信号发生对象的信号 3.槽对象 4.槽对象的槽函…

嵌入式linux系统中压力测试的方法

在Linux环境下,确保系统各项资源充分且稳定地运行对任何系统管理员来说都至关重要。特别是在生产环境中,理解如何对系统资源进行基准测试和压力测试可以帮助预防未来的问题,同时也能够优化现有系统的性能。 在本文中,我们将探讨如何使用命令行工具来对Linux系统的CPU、内存…

C语言 ——— 函数指针的定义 函数指针的使用

目录 何为函数指针 打印 函数名的地址 及 &函数名的地址 函数指针的代码&#xff08;如何正确存储函数地址&#xff09; 函数指针的使用 何为函数指针 类比&#xff1a; 整型指针 - 指向整型数据的指针&#xff0c;整型指针存放的是整型数据的地址 字符指针 - 指向字…

SQLynx数据库管理工具

背景&#xff1a;业主对网络安全要求比较高&#xff0c;不提供VPN等远程工具&#xff0c;也不能开放3306端口到互联网。那怎么样运维数据库就是个难题&#xff1f;找到了SQLynx这个可以网页访问的数据库管理工具&#xff0c;给大家分享一下。 1.介绍 SQLynx原名SQL Studio&…

防抖总结——OIS/EIS/HIS/DIS/机械防抖

文章目录 防抖总结OIS工作原理优缺点应用场景 电子防抖工作原理优缺点应用场景 混合防抖工作原理优缺点应用场景 数字防抖工作原理优缺点应用场景 机械防抖工作原理优缺点应用场景实例 防抖总结 防抖技术工作原理优点缺点适用场景光学防抖&#xff08;OIS&#xff09;通过内置…

[论文笔记] pai-megatron-patch Qwen2-72B/7B/1.5B 长文本探路

[论文笔记] Pai-megatron-patch cpu-offload 改到 Qwen2-CSDN博客 Pai-Megatron-Patch (mcore代码) 长文本限制: 开SP之后,72B能开到16K,7B能开到32K。 但是72B开16K,或者7B开32K时,如果训练时训练样本中有长文本的话,则还是会OOM。 code: 相对于原repo加了一些代…

平面五杆机构运动学仿真matlab simulink

1、内容简介 略 89-可以交流、咨询、答疑 2、内容说明 略 ] 以 MATLAB 程序设计语言为平台 , 以平面可调五杆机构为主要研究对象 , 给定机构的尺寸参数 , 列出所 要分析机构的闭环矢量方程 , 使用 MATLAB 软件中 SIMULINK 仿真工具 , 在 SIMULINK 模型窗口下建立数…

麦田物语第十三天

系列文章目录 麦田物语第十三天 文章目录 系列文章目录一、实现根据物品详情显示 ItemTooltip1.ItemTooltips脚本编写二、制作 Player 的动画一、实现根据物品详情显示 ItemTooltip 1.ItemTooltips脚本编写 首先创建Scripts->Inventory->UI->ItemTooltip脚本,然后…

深入浅出WebRTC—LossBasedBweV2

WebRTC 同时使用基于丢包的带宽估计算法和基于延迟的带宽估计算法那&#xff0c;能够实现更加全面和准确的带宽评估和控制。基于丢包的带宽估计算法主要依据网络中的丢包情况来动态调整带宽估计&#xff0c;以适应网络状况的变化。本文主要讲解最新 LossBasedBweV2 的实现。 1…

docker 安装MySQL 8.4.1

拉取MySQL镜像 docker pull mysql:8.4.1 查看本地镜像 docker images 通过镜像生成容器 docker run -itd --name mysql -p 3306:3306 -e MYSQL_ROOT_PASSWORD123456 mysql:8.4.1 查看目录运行中的容器列表 docker ps 进入容器内简单测试 docker exec -it mysql /bin/b…

使用 Swagger 在 Golang 中进行 API 文档生成

Swagger 是一款强大的 API 文档生成工具&#xff0c;可以帮助开发者轻松创建、管理和展示 RESTful API 文档。在本文中&#xff0c;我们将介绍如何在 Golang 项目中使用 Swagger 来生成 API 文档。 官网地址 &#xff1a; gin-swagger 前提条件 Golang 开发环境&#xff08;…

Docker Desktop安装

0 Preface/Foreward 1 安装 1.1 运行docker安装包 安装完Docker Desktop后&#xff0c;运行Docker Desktop&#xff0c;出现WSL 2安装不完整情况&#xff0c;具体情况如下&#xff1a; 解决方法&#xff1a;旧版 WSL 的手动安装步骤 | Microsoft Learn 也可以直接下载新的安…

Java设计模式:从单例到观察者

设计模式是解决特定问题的通用解决方案。在Java编程中&#xff0c;设计模式可以帮助我们编写更灵活、可维护和可扩展的代码。本文将介绍几种常见的Java设计模式&#xff0c;包括单例、工厂、策略、装饰器和观察者模式。 1. 单例模式 单例模式是一种创建型模式&#xff0c;它确…

2023发卡商城源码,最新自助下单彩虹云商城系统免授权无后门源码

# 彩虹自助下单系统 > PHP版本: > 7.0.1 ____ * 去除所有授权验证 * 支持自定义说说接口 * 去除后台广告与更新 * 可自定义易支付接口 ____ >安装教程: > 1、上传源代码到空间或服务器&#xff0c;并确保权限可读写。 > 2、上传完成后&#xff0c;使用浏览器…

gcd之和(一维)

gcd之和 求 ∑ i 1 n gcd ⁡ ( n , i ) \sum_{i1}^{n}\gcd(n,i) ∑i1n​gcd(n,i)。 那么我们这一道题讲得详细一点。因为这一道题目的 n ≤ 1 0 9 n \leq 10^9 n≤109。这也就导致了一些算法是过不了的&#xff0c;那么我们就先从最简单的讲起&#xff1a; 对每一项来一遍 …