SpringBoot源码阅读(10)——后处理器

后处理器是在监听器EnvironmentPostProcessorApplicationListener中被加载。
入口在SpringApplication实例方法prepareEnvironment,第343行。

listeners.environmentPrepared(bootstrapContext, environment);

这里触发了事件ApplicationEnvironmentPreparedEvent
相关监听器

监听器Order
DelegatingApplicationListener0
EnvironmentPostProcessorApplicationListenerInteger.MIN_VALUE + 10
LoggingApplicationListenerInteger.MIN_VALUE + 20
AnsiOutputApplicationListenerInteger.MIN_VALUE + 11
FileEncodingApplicationListenerInteger.MAX_VALUE

排序后,触发顺序

  1. DelegatingApplicationListener
  2. EnvironmentPostProcessorApplicationListener
  3. AnsiOutputApplicationListener
  4. LoggingApplicationListener
  5. FileEncodingApplicationListener

EnvironmentPostProcessorApplicationListener 就是监听器之一。

EnvironmentPostProcessorApplicationListener

主要方法

private void onApplicationEnvironmentPreparedEvent(ApplicationEnvironmentPreparedEvent event) {ConfigurableEnvironment environment = event.getEnvironment();SpringApplication application = event.getSpringApplication();for (EnvironmentPostProcessor postProcessor : getEnvironmentPostProcessors(application.getResourceLoader(),event.getBootstrapContext())) {postProcessor.postProcessEnvironment(environment, application);}
}
List<EnvironmentPostProcessor> getEnvironmentPostProcessors(ResourceLoader resourceLoader,ConfigurableBootstrapContext bootstrapContext) {ClassLoader classLoader = (resourceLoader != null) ? resourceLoader.getClassLoader() : null;EnvironmentPostProcessorsFactory postProcessorsFactory = this.postProcessorsFactory.apply(classLoader);return postProcessorsFactory.getEnvironmentPostProcessors(this.deferredLogs, bootstrapContext);
}

其中this.postProcessorsFactoryEnvironmentPostProcessorsFactory::fromSpringFactories

static EnvironmentPostProcessorsFactory fromSpringFactories(ClassLoader classLoader) {return new ReflectionEnvironmentPostProcessorsFactory(classLoader,SpringFactoriesLoader.loadFactoryNames(EnvironmentPostProcessor.class, classLoader));
}

EnvironmentPostProcessor的实现类

# Environment Post Processors
org.springframework.boot.env.EnvironmentPostProcessor=\
org.springframework.boot.cloud.CloudFoundryVcapEnvironmentPostProcessor,\
org.springframework.boot.context.config.ConfigDataEnvironmentPostProcessor,\
org.springframework.boot.env.RandomValuePropertySourceEnvironmentPostProcessor,\
org.springframework.boot.env.SpringApplicationJsonEnvironmentPostProcessor,\
org.springframework.boot.env.SystemEnvironmentPropertySourceEnvironmentPostProcessor,\
org.springframework.boot.reactor.DebugAgentEnvironmentPostProcessor# Environment Post Processors
org.springframework.boot.env.EnvironmentPostProcessor=\
org.springframework.boot.autoconfigure.integration.IntegrationPropertiesEnvironmentPostProcessor
处理器Order值
CloudFoundryVcapEnvironmentPostProcessorInteger.MIN_VALUE + 10 - 1
ConfigDataEnvironmentPostProcessorInteger.MIN_VALUE + 10
RandomValuePropertySourceEnvironmentPostProcessorInteger.MIN_VALUE + 1
SpringApplicationJsonEnvironmentPostProcessorInteger.MIN_VALUE + 5
SystemEnvironmentPropertySourceEnvironmentPostProcessorInteger.MIN_VALUE + 5 - 1
DebugAgentEnvironmentPostProcessorInteger.MAX_VALUE
IntegrationPropertiesEnvironmentPostProcessorInteger.MAX_VALUE

最后顺序

  1. RandomValuePropertySourceEnvironmentPostProcessor
  2. SystemEnvironmentPropertySourceEnvironmentPostProcessor
  3. SpringApplicationJsonEnvironmentPostProcessor
  4. CloudFoundryVcapEnvironmentPostProcessor
  5. ConfigDataEnvironmentPostProcessor
  6. DebugAgentEnvironmentPostProcessor
  7. IntegrationPropertiesEnvironmentPostProcessor

EnvironmentPostProcessorApplicationListener实例化的时候,是调用的无参构造方法。

public EnvironmentPostProcessorApplicationListener() {this(EnvironmentPostProcessorsFactory::fromSpringFactories, new DeferredLogs());
}

实例化后关键属性

属性
postProcessorsFactoryEnvironmentPostProcessorsFactory::fromSpringFactories
deferredLogsDeferredLogFactory

ReflectionEnvironmentPostProcessorsFactory

实例化后的属性

属性
classesnull
classLoadernull
classNamesEnvironmentPostProcessor实现类的类全限定名\

加载EnvironmentPostProcessor实现类的主要逻辑

@Override
public List<EnvironmentPostProcessor> getEnvironmentPostProcessors(DeferredLogFactory logFactory,ConfigurableBootstrapContext bootstrapContext) {Instantiator<EnvironmentPostProcessor> instantiator = new Instantiator<>(EnvironmentPostProcessor.class,(parameters) -> {parameters.add(DeferredLogFactory.class, logFactory);parameters.add(Log.class, logFactory::getLog);parameters.add(ConfigurableBootstrapContext.class, bootstrapContext);parameters.add(BootstrapContext.class, bootstrapContext);parameters.add(BootstrapRegistry.class, bootstrapContext);});return (this.classes != null) ? instantiator.instantiateTypes(this.classes): instantiator.instantiate(this.classLoader, this.classNames);
}
public Instantiator(Class<?> type, Consumer<AvailableParameters> availableParameters) {this(type, availableParameters, throwingFailureHandler);
}
public Instantiator(Class<?> type, Consumer<AvailableParameters> availableParameters,FailureHandler failureHandler) {this.type = type;this.availableParameters = getAvailableParameters(availableParameters);this.failureHandler = failureHandler;
}

Instantiator是一个通过用的实例化工具类。
主要逻辑:

  1. 获取要实例化的类的构造方法,按照构造方法的参数个数倒序排序。
  2. 然后检查每个参数,是否是给定参数集合中类的子类或者类本身。
  3. 如果找到了,就把给定参数集合中的值作为参数返回,拿去调用构造方法
  4. 优先使用个数多个的构造方法,默认使用无参构造
  5. 构造完成后,使用AnnotationAwareOrderComparator比较器排序一番。
属性
typeEnvironmentPostProcessor.class
availableParametersDeferredLogFactory.class factoryType -> DeferredLogs
Log.classlogFactory::getLog
ConfigurableBootstrapContext.classfactoryType -> bootstrapContext
BootstrapContext.classfactoryType -> bootstrapContext
BootstrapRegistry.classfactoryType -> bootstrapContext
failureHandler初始化失败后的处理器,默认是抛异常
RandomValuePropertySourceEnvironmentPostProcessor

构造方法

public RandomValuePropertySourceEnvironmentPostProcessor(Log logger) {this.logger = logger;
}
SystemEnvironmentPropertySourceEnvironmentPostProcessor

默认无参构造

SpringApplicationJsonEnvironmentPostProcessor

默认无参构造

CloudFoundryVcapEnvironmentPostProcessor

构造方法

public CloudFoundryVcapEnvironmentPostProcessor(Log logger) {this.logger = logger;
}
ConfigDataEnvironmentPostProcessor

构造方法

public ConfigDataEnvironmentPostProcessor(DeferredLogFactory logFactory,ConfigurableBootstrapContext bootstrapContext) {this(logFactory, bootstrapContext, null);
}public ConfigDataEnvironmentPostProcessor(DeferredLogFactory logFactory,ConfigurableBootstrapContext bootstrapContext,ConfigDataEnvironmentUpdateListener environmentUpdateListener) {this.logFactory = logFactory;this.logger = logFactory.getLog(getClass());this.bootstrapContext = bootstrapContext;this.environmentUpdateListener = environmentUpdateListener;
}
DebugAgentEnvironmentPostProcessor

默认无参构造

IntegrationPropertiesEnvironmentPostProcessor

默认无参构造

最后得到各自的构造方法

构造方法
RandomValuePropertySourceEnvironmentPostProcessorpublic RandomValuePropertySourceEnvironmentPostProcessor(Log logger)
SystemEnvironmentPropertySourceEnvironmentPostProcessor无参构造
SpringApplicationJsonEnvironmentPostProcessor无参构造
CloudFoundryVcapEnvironmentPostProcessorpublic CloudFoundryVcapEnvironmentPostProcessor(Log logger)
ConfigDataEnvironmentPostProcessorpublic ConfigDataEnvironmentPostProcessor(DeferredLogFactory logFactoryConfigurableBootstrapContext bootstrapContext)
DebugAgentEnvironmentPostProcessor无参构造
IntegrationPropertiesEnvironmentPostProcessor无参构造
实例化后排序
  1. RandomValuePropertySourceEnvironmentPostProcessor
  2. SystemEnvironmentPropertySourceEnvironmentPostProcessor
  3. SpringApplicationJsonEnvironmentPostProcessor
  4. CloudFoundryVcapEnvironmentPostProcessor
  5. ConfigDataEnvironmentPostProcessor
  6. DebugAgentEnvironmentPostProcessor
  7. IntegrationPropertiesEnvironmentPostProcessor

逻辑

RandomValuePropertySourceEnvironmentPostProcessor

@Override
public void postProcessEnvironment(ConfigurableEnvironment environment, SpringApplication application) {RandomValuePropertySource.addToEnvironment(environment, this.logger);
}

这个处理器会创建一个Random对象,放入sourceskeyrandom
如果环境变量已经加载,就放在环境变量后面,没有加载,就放到最后

SystemEnvironmentPropertySourceEnvironmentPostProcessor

@Override
public void postProcessEnvironment(ConfigurableEnvironment environment, SpringApplication application) {String sourceName = StandardEnvironment.SYSTEM_ENVIRONMENT_PROPERTY_SOURCE_NAME;PropertySource<?> propertySource = environment.getPropertySources().get(sourceName);if (propertySource != null) {replacePropertySource(environment, sourceName, propertySource, application.getEnvironmentPrefix());}
}@SuppressWarnings("unchecked")
private void replacePropertySource(ConfigurableEnvironment environment, String sourceName,PropertySource<?> propertySource, String environmentPrefix) {Map<String, Object> originalSource = (Map<String, Object>) propertySource.getSource();SystemEnvironmentPropertySource source = new OriginAwareSystemEnvironmentPropertySource(sourceName,originalSource, environmentPrefix);environment.getPropertySources().replace(sourceName, source);
}

这个处理器会处理系统环境变量,把系统环境变量包装成OriginAwareSystemEnvironmentPropertySource

SpringApplicationJsonEnvironmentPostProcessor

@Override
public void postProcessEnvironment(ConfigurableEnvironment environment, SpringApplication application) {MutablePropertySources propertySources = environment.getPropertySources();propertySources.stream().map(JsonPropertyValue::get).filter(Objects::nonNull).findFirst().ifPresent((v) -> processJson(environment, v));
}
private void processJson(ConfigurableEnvironment environment, JsonPropertyValue propertyValue) {JsonParser parser = JsonParserFactory.getJsonParser();Map<String, Object> map = parser.parseMap(propertyValue.getJson());if (!map.isEmpty()) {addJsonPropertySource(environment, new JsonPropertySource(propertyValue, flatten(map)));}
}
public static JsonParser getJsonParser() {if (ClassUtils.isPresent("com.fasterxml.jackson.databind.ObjectMapper", null)) {return new JacksonJsonParser();}if (ClassUtils.isPresent("com.google.gson.Gson", null)) {return new GsonJsonParser();}if (ClassUtils.isPresent("org.yaml.snakeyaml.Yaml", null)) {return new YamlJsonParser();}return new BasicJsonParser();
}

这个处理器会从环境变量中获取spring.application.json或者SPRING_APPLICATION_JSON的配置,然后找到第一个配置,使用json解析器解析,放入source,名称为spring.application.json,位置在servletContextInitParams或者servletConfigInitParams之前。

CloudFoundryVcapEnvironmentPostProcessor

@Override
public void postProcessEnvironment(ConfigurableEnvironment environment, SpringApplication application) {if (CloudPlatform.CLOUD_FOUNDRY.isActive(environment)) {Properties properties = new Properties();JsonParser jsonParser = JsonParserFactory.getJsonParser();addWithPrefix(properties, getPropertiesFromApplication(environment, jsonParser), "vcap.application.");addWithPrefix(properties, getPropertiesFromServices(environment, jsonParser), "vcap.services.");MutablePropertySources propertySources = environment.getPropertySources();if (propertySources.contains(CommandLinePropertySource.COMMAND_LINE_PROPERTY_SOURCE_NAME)) {propertySources.addAfter(CommandLinePropertySource.COMMAND_LINE_PROPERTY_SOURCE_NAME,new PropertiesPropertySource("vcap", properties));}else {propertySources.addFirst(new PropertiesPropertySource("vcap", properties));}}
}

这个处理器,会从环境变量获取spring.main.cloud-platform的值,如果是CloudPlatform.CLOUD_FOUNDRY类型,如果值是CLOUD_FOUNDRY或者包含VCAP_APPLICATIONVCAP_SERVICES,就执行开源云平台的逻辑。
从环境变量中获取VCAP_APPLICATION VCAP_SERVICES的值,用json解析器解析,分别加上前缀vcap.application.vcap.services.,放入sources,名称是vcap,位置上,如果有命令行参数,就放在命令行参数后面,如果没有,就放首位。

ConfigDataEnvironmentPostProcessor

@Override
public void postProcessEnvironment(ConfigurableEnvironment environment, SpringApplication application) {postProcessEnvironment(environment, application.getResourceLoader(), application.getAdditionalProfiles());
}
ConfigDataEnvironment getConfigDataEnvironment(ConfigurableEnvironment environment, ResourceLoader resourceLoader,Collection<String> additionalProfiles) {return new ConfigDataEnvironment(this.logFactory, this.bootstrapContext, environment, resourceLoader,additionalProfiles, this.environmentUpdateListener);
}

创建一个ConfigDataEnvironment实例,过程中会创建一个ConfigDataLocationResolvers实例。

ConfigDataEnvironment(DeferredLogFactory logFactory, ConfigurableBootstrapContext bootstrapContext,ConfigurableEnvironment environment, ResourceLoader resourceLoader, Collection<String> additionalProfiles,ConfigDataEnvironmentUpdateListener environmentUpdateListener) {Binder binder = Binder.get(environment);UseLegacyConfigProcessingException.throwIfRequested(binder);this.logFactory = logFactory;this.logger = logFactory.getLog(getClass());this.notFoundAction = binder.bind(ON_NOT_FOUND_PROPERTY, ConfigDataNotFoundAction.class).orElse(ConfigDataNotFoundAction.FAIL);this.bootstrapContext = bootstrapContext;this.environment = environment;this.resolvers = createConfigDataLocationResolvers(logFactory, bootstrapContext, binder, resourceLoader);this.additionalProfiles = additionalProfiles;this.environmentUpdateListener = (environmentUpdateListener != null) ? environmentUpdateListener: ConfigDataEnvironmentUpdateListener.NONE;this.loaders = new ConfigDataLoaders(logFactory, bootstrapContext, resourceLoader.getClassLoader());this.contributors = createContributors(binder);
}

感觉像是捅了马蜂窝了。
ConfigDataLocationResolvers实例化,会加载ConfigDataLocationResolver的实现类。

# ConfigData Location Resolvers
org.springframework.boot.context.config.ConfigDataLocationResolver=\
org.springframework.boot.context.config.ConfigTreeConfigDataLocationResolver,\
org.springframework.boot.context.config.StandardConfigDataLocationResolver

ConfigTreeConfigDataLocationResolver实例化,会创建LocationResourceLoader实例
StandardConfigDataLocationResolver实例化,会加载PropertySourceLoader的实现类

# PropertySource Loaders
org.springframework.boot.env.PropertySourceLoader=\
org.springframework.boot.env.PropertiesPropertySourceLoader,\
org.springframework.boot.env.YamlPropertySourceLoader

StandardConfigDataLocationResolver中会设置应用的配置文件名称,key是spring.config.name,默认值是application,也就是Spring配置文件的名字也是可以配置的,这个名字中不能包含*号。
至于PropertiesPropertySourceLoaderYamlPropertySourceLoader,就是解析Spring配置文件的两个加载器,前者解析properties后缀文件,后者解析yml后缀文件。
ConfigDataLocationResolvers中,在加载完成ConfigDataLocationResolver的接口后,会重新排序,把StandardConfigDataLocationResolver的子类或本身保留最后实现,放入集合末尾。

ConfigDataEnvironment实例化时,会创建ConfigDataLoaders实例,进而加载ConfigDataLoader的实例。

# ConfigData Loaders
org.springframework.boot.context.config.ConfigDataLoader=\
org.springframework.boot.context.config.ConfigTreeConfigDataLoader,\
org.springframework.boot.context.config.StandardConfigDataLoader

然后调用processAndApply,会读取配置文件。

void processAndApply() {ConfigDataImporter importer = new ConfigDataImporter(this.logFactory, this.notFoundAction, this.resolvers,this.loaders);registerBootstrapBinder(this.contributors, null, DENY_INACTIVE_BINDING);ConfigDataEnvironmentContributors contributors = processInitial(this.contributors, importer);ConfigDataActivationContext activationContext = createActivationContext(contributors.getBinder(null, BinderOption.FAIL_ON_BIND_TO_INACTIVE_SOURCE));contributors = processWithoutProfiles(contributors, importer, activationContext);activationContext = withProfiles(contributors, activationContext);contributors = processWithProfiles(contributors, importer, activationContext);applyToEnvironment(contributors, activationContext, importer.getLoadedLocations(),importer.getOptionalLocations());
}private ConfigDataEnvironmentContributors processInitial(ConfigDataEnvironmentContributors contributors,ConfigDataImporter importer) {this.logger.trace("Processing initial config data environment contributors without activation context");contributors = contributors.withProcessedImports(importer, null);registerBootstrapBinder(contributors, null, DENY_INACTIVE_BINDING);return contributors;
}

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

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

相关文章

Windows下查看某个端口被某个应用占用

1、打开命令窗口(以管理员身份运行) ​​​​​​​​​​ 2、查找所有运行的端口 输入所有命令&#xff1a;当前命令可以查看当前电脑的全部端口使用情况 netstat -ano3、查看被占用端口对应的 PID&#xff08;这里以8000端口为例&#xff09; netstat -ano|findstr &qu…

博物馆地图导航系统:高精度地图引擎与AR/VR融合,实现博物馆数字化转型

在人民日益追求精神文化的时代下&#xff0c;博物馆作为传承与展示人类文明的璀璨殿堂&#xff0c;其重要性不言而喻。然而&#xff0c;随着博物馆规模的不断扩大和藏品种类的日益丰富&#xff0c;游客在享受知识盛宴的同时&#xff0c;也面临着“迷路”与“错过”的困扰。博物…

一周涨8K star!RAG技术迎来大升级,速度关注

之前我们聊到过RAG&#xff0c;它是目前非常常用的增强大模型能力的技术&#xff0c;通过检索增强生成&#xff08;RAG&#xff09;&#xff0c;大型语言模型能够从外部知识源检索信息&#xff0c;从而回答涉及私有或未见文档的问题。 今天我们分享一个开源项目&#xff0c;它…

【MybatisPlus】QueryWapper和LambdaQueryWrapper的区别

【MybatisPlus】QueryWapper和LambdaQueryWrapper的区别 &#xff08;一&#xff09;MyBatisPlus的条件查询构造器QueryWrapperLambdaQueryWrapper优缺点使用场景 &#xff08;二&#xff09;Lambda的概念&#xff08;三&#xff09;QueryWrapper如何进化成LambdaQueryWrapper的…

Python爬虫之路(2):爬天气情况

hello hello~ &#xff0c;这里是绝命Coding——老白~&#x1f496;&#x1f496; &#xff0c;欢迎大家点赞&#x1f973;&#x1f973;关注&#x1f4a5;&#x1f4a5;收藏&#x1f339;&#x1f339;&#x1f339; &#x1f4a5;个人主页&#xff1a;绝命Coding-CSDN博客 &a…

5G RedCap调查报告

一、5G RedCap技术背景 5G RedCap(Reduced Capability缩写,轻量化5G),是3GPP标准化组织定义下的5G裁剪版本,是5G面向中高速率连接场景的物联网技术,它的能力介于5G NR(含eMBB和uRLLC)和LPWA(如LTE-M和NR-IoT)之间,如图1所示,是5G-A(5G Advanced)的关键技术之一。…

WAV 和 FLAC 哪个音质好?常见音频格式又如何转换?

音频文件的格式种类繁多&#xff0c;每种格式都有其独特的优势和应用场景。其中&#xff0c;WAV 和 FLAC 作为两种常见的无损音频格式&#xff0c;备受音频发烧友和专业人士的青睐。它们不仅能够保留原始录音的全部细节&#xff0c;还为听众提供了近乎 CD 品质的听觉体验。然而…

昇思25天学习打卡营第13天|基于MindNLP+MusicGen生成自己的个性化音乐

关于MindNLP MindNLP是一个依赖昇思MindSpore向上生长的NLP&#xff08;自然语言处理&#xff09;框架&#xff0c;旨在利用MindSpore的优势特性&#xff0c;如函数式融合编程、动态图功能、数据处理引擎等&#xff0c;致力于提供高效、易用的NLP解决方案。通过全面拥抱Huggin…

QT实现自定义带有提示信息的透明环形进度条

1. 概述 做界面开发的童鞋可能都会遇到这样的需求&#xff0c;就是有一些界面点击了之后比较耗时的操作&#xff0c;需要界面给出一个环形进度条的进度反馈信息. 如何来实现这样的需求呢&#xff0c;话不多说&#xff0c;上效果 透明进度条 2. 代码实现 waitfeedbackprogressba…

从业务架构到应用架构技术剖析

从业务架构到应用架构 4A架构理论&#xff0c;一个企业级架构框架&#xff0c;将企业架构&#xff08;EA&#xff09;划分为四大核心领域&#xff0c;每个领域都聚焦于组织的不同维度。该理论提供了一种结构化的设计和理解企业运作方式的方法&#xff0c;确保技术解决方案能…

用Apipost压力测试接口

用Apipost压力测试接口 1.点击自动化测试 2.选择要测试的接口 3.如果没有接口&#xff0c;就先在api调试中添加要测试的接口 4.根据自己的需求设置相应的参数&#xff0c;这里我压测10次 5.这样就可以压测接口了&#xff0c;非常nice

Python库 - Scrapy

Scrapy 是一个用于爬取网站数据、提取结构性数据的开源和协作框架。它最初是为网页抓取设计的&#xff0c;但也可以用于获取 API 提供的数据或作为通用的网络爬虫。 文章目录 主要特性主要组件使用流程1. 安装 Scrapy2. 创建 Scrapy 项目3. 定义 Item&#xff08;数据&#xff…

LayoutLMv1

近年来&#xff0c;预训练技术在各种NLP任务中得到了成功的验证。尽管NLP应用程序广泛使用预训练模型&#xff0c;但它们几乎只关注文本级操作&#xff0c;而忽略了对文档图像理解至关重要的布局和样式信息。在本文中&#xff0c;我们提出了LayoutLM来联合建模文本和布局信息在…

webstorm问题解决:无法识别 @

问题解决tsconfig.json 问题 本地的 vite.config.ts 已经配置 路径 但是&#xff0c;我用webstorm 上识别不了 解决 新增文件tsconfig.json&#xff0c;添加 baseUrl 和 paths 的配置&#xff0c;以告诉 TypeScript 和 WebStorm 如何解析路径别名 tsconfig.json {&quo…

全球首创全息数字人智能手表(全息手表)

小粒W1&#xff1a;全息数字人手表&#xff0c;将健康管理与时尚融为一体&#xff0c;全天候守护您的健康&#xff0c;让数字人管家智能关怀随时可见。 ** 小粒W1 & 小粒GS1 —— 智慧的随身延伸** 小粒W1全息数字人手表&#xff0c;搭配GS1眼镜伴侣&#xff0c;将智能管家…

聚类精度的尺标:SKlearn中的数据聚类性能评估方法

聚类精度的尺标&#xff1a;SKlearn中的数据聚类性能评估方法 聚类分析是无监督学习中的核心任务之一&#xff0c;其目的在于将数据集中的样本划分为若干个簇&#xff0c;使得同一簇内的样本相似度高&#xff0c;而不同簇间的样本相似度低。然而&#xff0c;如何评价聚类结果的…

2006-2021年 291个地级市资源错配指数、劳动和资本相对扭曲指数do文件和结果

资源错配指数&#xff1a;衡量生产要素配置效率的关键指标 资源错配指数&#xff08;Misallocation Index&#xff09;是一个衡量资源配置效率的指标&#xff0c;它反映了生产要素是否得到了合理配置&#xff0c;以及是否达到了生产效率的最优状态。一个较高的资源错配指数意味…

斐讯N1盒子刷入Armbian并安装Docker拉取网络下行流量教程

一直在跑PCDN&#xff0c;目前主推八米云跟点心云&#xff0c;八米单价比点心更高&#xff0c;业务都一样&#xff0c;直播业务。 两种刷机教程我也发下。 八米云&#xff1a;点此跳转 点心云&#xff1a;点此跳转 最近各运营商对PCDN打击力度加大&#xff0c;需求拉取下行流量…

帕金森是怎么回事

帕金森疾病&#xff0c;作为一种慢性神经系统疾病&#xff0c;不仅给患者的日常生活带来了诸多不便&#xff0c;更在无形中影响了他们的睡眠质量。良好的睡眠对于帕金森患者来说尤为重要&#xff0c;它不仅是身体恢复和修复的关键时刻&#xff0c;更是缓解日间疲劳、改善情绪的…

2024最新修复微信公众号无限回调系统源码下载 免授权开心版

2024最新修复微信公众号无限回调系统源码下载 免授权开心版 微信公众平台回调比较麻烦&#xff0c;还不能多次回调&#xff0c;于是搭建一个多域名回调的源码很有必要。 测试环境&#xff1a;Nginx1.24PHP7.2MySQL5.6 图片&#xff1a;