【Spring Boot 源码学习】JedisConnectionConfiguration 详解

Spring Boot 源码学习系列

在这里插入图片描述

JedisConnectionConfiguration 详解

  • 引言
  • 往期内容
  • 主要内容
    • 1. RedisConnectionFactory
      • 1.1 单机连接
      • 1.2 集群连接
      • 1.3 哨兵连接
    • 2. JedisConnectionConfiguration
      • 2.1 RedisConnectionConfiguration
      • 2.2 导入自动配置
      • 2.3 相关注解介绍
      • 2.4 redisConnectionFactory 方法
  • 总结

引言

上篇博文,Huazie 带大家从源码角度分析了 Spring Boot 内置的有关 Redis 的自动配置类【RedisAutoConfiguration】,其中有关 LettuceConnectionConfigurationJedisConnectionConfiguration 这两个用于配置 Redis 连接的具体实现还未介绍。本篇就以我们常用的 Jedis 实现 为例,带大家详细分析一下 JedisConnectionConfiguration 配置类。

在这里插入图片描述

往期内容

在开始本篇的内容介绍之前,我们先来看看往期的系列文章【有需要的朋友,欢迎关注系列专栏】:

Spring Boot 源码学习
Spring Boot 项目介绍
Spring Boot 核心运行原理介绍
【Spring Boot 源码学习】@EnableAutoConfiguration 注解
【Spring Boot 源码学习】@SpringBootApplication 注解
【Spring Boot 源码学习】走近 AutoConfigurationImportSelector
【Spring Boot 源码学习】自动装配流程源码解析(上)
【Spring Boot 源码学习】自动装配流程源码解析(下)
【Spring Boot 源码学习】深入 FilteringSpringBootCondition
【Spring Boot 源码学习】OnClassCondition 详解
【Spring Boot 源码学习】OnBeanCondition 详解
【Spring Boot 源码学习】OnWebApplicationCondition 详解
【Spring Boot 源码学习】@Conditional 条件注解
【Spring Boot 源码学习】HttpEncodingAutoConfiguration 详解
【Spring Boot 源码学习】RedisAutoConfiguration 详解

主要内容

1. RedisConnectionFactory

RedisConnectionFactorySpring Data Redis 中的一个接口,它提供了创建和管理 Redis 连接的方法。使用 RedisConnectionFactory 可以获取到 Redis 连接对象,然后通过该对象对 Redis 进行存储、查询、删除等操作。

我们来看看 RedisConnectionFactory 的相关的源码:

// 线程安全的 Redis 连接工厂
public interface RedisConnectionFactory extends PersistenceExceptionTranslator {
	RedisConnection getConnection();

	RedisClusterConnection getClusterConnection();

	boolean getConvertPipelineAndTxResults();

	RedisSentinelConnection getSentinelConnection();
}

我们简单分析一下 Redis 连接工厂中的方法:

  • RedisConnection getConnection() :提供与 Redis 交互的合适连接。如果连接工厂需要初始化,但工厂尚未初始化,则抛出 IllegalStateException
  • RedisClusterConnection getClusterConnection() :提供与 Redis Cluster 交互的合适连接。如果连接工厂需要初始化,但工厂尚未初始化,则抛出 IllegalStateException
  • boolean getConvertPipelineAndTxResults() :指定是否应将管道结果转换为预期的数据类型。如果为 falseRedisConnection.closePipeline()RedisConnection#exec() 的结果将是底层驱动程序返回的类型。
  • RedisSentinelConnection getSentinelConnection() :提供与 Redis Sentinel 交互的合适连接。如果连接工厂需要初始化,但工厂尚未初始化,则抛出 IllegalStateException

以本篇介绍的 Jedis 实现为例,我们介绍一下 Redis 连接工厂的 Jedis 实现,即 JedisConnectionFactory。由于该类这是 Spring Data Redis 中的代码,本篇不详细展开了,感兴趣的朋友可以自行翻阅 Spring 源码进行查看。

JedisConnectionFactory 主要有哪些内容呢 ?

  • 创建 Jedis 连接 :通过调用 createXXX() 方法,可以创建一个 Jedis 连接对象,用于与 Redis 服务器进行通信。当然,在获取连接之前,我们必须先初始化该连接工厂。

  • 管理连接池 :它内部维护了一个连接池,用于管理和复用 Jedis 连接。当需要创建一个新的 Jedis 连接时,首先会检查连接池中是否有可用的连接,如果有则直接使用,否则创建一个新的连接。这样可以提高性能,减少频繁创建和关闭连接带来的开销。

    protected Jedis fetchJedisConnector() {
    	try {
    
    		if (getUsePool() && pool != null) {
    			return pool.getResource();
    		}
    
    		Jedis jedis = createJedis();
    		// force initialization (see Jedis issue #82)
    		jedis.connect();
    
    		return jedis;
    	} catch (Exception ex) {
    		throw new RedisConnectionFailureException("Cannot get Jedis connection", ex);
    	}
    }
    
  • 配置连接参数 :允许用户自定义连接参数,例如 超时时间最大连接数等。这些参数可以在创建连接时通过构造函数传入,也可以在创建连接后,通过 JedisPoolConfig 或者下面的三种连接类型的配置类进行修改。

  • 支持多种连接类型 :包括 单机连接哨兵连接集群连接。这些连接类型的配置如下:

    • RedisStandaloneConfiguration(单机配置)
    • RedisSentinelConfiguration(哨兵配置)
    • RedisClusterConfiguration(集群配置)

1.1 单机连接

单机连接,我们需要使用到 RedisStandaloneConfiguration ,可见如下示例:

@Configuration
public class RedisConfig {

    @Bean
    public JedisConnectionFactory jedisConnectionFactory() {
        RedisStandaloneConfiguration configuration = new RedisStandaloneConfiguration("localhost", 6379);
        JedisConnectionFactory jedisConnectionFactory = new JedisConnectionFactory(configuration);
        return jedisConnectionFactory;
    }
}

1.2 集群连接

集群连接,我们需要使用到 RedisClusterConfiguration ,示例如下:

@Configuration
public class RedisConfig {

    @Bean
    public JedisConnectionFactory jedisConnectionFactory() {
        Set<Host> nodes = new HashSet<>();
        nodes.add(new Host("127.0.0.1", 20011));
        nodes.add(new Host("127.0.0.1", 20012));
        nodes.add(new Host("127.0.0.1", 20013));
        RedisClusterConfiguration clusterConfiguration = new RedisClusterConfiguration();
        clusterConfiguration.setClusterNodes(nodes);
        JedisConnectionFactory jedisConnectionFactory = new JedisConnectionFactory(clusterConfiguration);
        return jedisConnectionFactory;
    }
}

1.3 哨兵连接

哨兵连接,我们需要使用到 RedisSentinelConfiguration ,参考如下:

@Configuration
public class RedisConfig {

    @Bean
    public JedisConnectionFactory jedisConnectionFactory() {
        Set<Host> sentinels = new HashSet<>();
        sentinels.add(new Host("127.0.0.1", 30001));
        sentinels.add(new Host("127.0.0.1", 30002));
        sentinels.add(new Host("127.0.0.1", 30003));
        RedisSentinelConfiguration sentinelConfiguration = new RedisSentinelConfiguration();
        sentinelConfiguration.setMasterName("mymaster");
        sentinelConfiguration.setSentinels(sentinels);
        JedisConnectionFactory jedisConnectionFactory = new JedisConnectionFactory(sentinelConfiguration);
        return jedisConnectionFactory;
    }
}

2. JedisConnectionConfiguration

那么 Spring Data Redis 的 JedisConnectionFactory 的自动配置在 Spring Boot 是如何实现的呢?

Spring Boot 是通过内置的 JedisConnectionConfiguration 配置类来完成这一功能。下面我们具体分析一下:

注意: 以下涉及 Spring Boot 源码 均来自版本 2.7.9,其他版本有所出入,可自行查看源码。

2.1 RedisConnectionConfiguration

翻看 JedisConnectionConfiguration 的源码,我们发现它继承了 RedisConnectionConfiguration 类,该类的部分源码如下:

abstract class RedisConnectionConfiguration {
	private static final boolean COMMONS_POOL2_AVAILABLE = ClassUtils.isPresent("org.apache.commons.pool2.ObjectPool",
			RedisConnectionConfiguration.class.getClassLoader());
	// 。。。

	protected final RedisStandaloneConfiguration getStandaloneConfig() {
		// 。。。
	}

	protected final RedisSentinelConfiguration getSentinelConfig() {
		// 。。。
	}

	protected final RedisClusterConfiguration getClusterConfiguration() {
		// 。。。
	}

	protected final RedisProperties getProperties() {
		// 。。。
	}

	protected boolean isPoolEnabled(Pool pool) {
		Boolean enabled = pool.getEnabled();
		return (enabled != null) ? enabled : COMMONS_POOL2_AVAILABLE;
	}

	private List<RedisNode> createSentinels(RedisProperties.Sentinel sentinel) {
		// 。。。
	}

	protected ConnectionInfo parseUrl(String url) {
		// 。。。
	}

	static class ConnectionInfo {

		private final URI uri;

		private final boolean useSsl;

		private final String username;

		private final String password;

		// 。。。
	}
}

简单阅读上述的源码,我们可以很快总结一下:

  • getStandaloneConfig() :返回一个 RedisStandaloneConfiguration 对象,用于配置单机模式的 Redis 连接。
  • getSentinelConfig() :返回一个 RedisSentinelConfiguration 对象,用于配置哨兵模式的 Redis 连接。
  • getClusterConfiguration() :返回一个 RedisClusterConfiguration 对象,用于配置集群模式的 Redis 连接。
  • getProperties() :返回一个 RedisProperties 对象,用于获取 Redis 连接的相关配置信息。
  • isPoolEnabled(Pool pool) :判断给定的连接池是否启用。如果连接池的enabled 属性不为 null,则返回该属性值;否则返回COMMONS_POOL2_AVAILABLE 常量【如果org.apache.commons.pool2.ObjectPool 类存在,那么 COMMONS_POOL2_AVAILABLE 将被设置为 true,否则将被设置为 false】。
  • createSentinels(RedisProperties.Sentinel sentinel) :根据给定的哨兵配置创建一个 RedisNode 列表,用于配置哨兵模式的 Redis 连接。
  • parseUrl(String url):解析给定的 URL 字符串,并返回一个包含连接信息的 ConnectionInfo 对象。
    其中内部静态类 ConnectionInfo,用于存储解析后的连接信息,包括:
    • uri:连接的 URI
    • useSsl:是否使用 SSL 加密。
    • username:连接的用户名。
    • password:连接的密码。

2.2 导入自动配置

上篇博文中,我们已经知道了 JedisConnectionConfiguration 是在 RedisAutoConfiguration 中通过 @Import({ LettuceConnectionConfiguration.class, JedisConnectionConfiguration.class }) 导入的。

2.3 相关注解介绍

我们在 META-INF/spring-autoconfigure-metadata.properties 文件中,发现了有关 JedisConnectionConfiguration 的相关配置:

org.springframework.boot.autoconfigure.data.redis.JedisConnectionConfiguration=
org.springframework.boot.autoconfigure.data.redis.JedisConnectionConfiguration.ConditionalOnClass=org.apache.commons.pool2.impl.GenericObjectPool,redis.clients.jedis.Jedis,org.springframework.data.redis.connection.jedis.JedisConnection

显然这里涉及到了 ConditionalOnClass 注解,我们翻看 JedisConnectionConfiguration 配置类的源码,如下:

@Configuration(proxyBeanMethods = false)
@ConditionalOnClass({ GenericObjectPool.class, JedisConnection.class, Jedis.class })
@ConditionalOnMissingBean(RedisConnectionFactory.class)
@ConditionalOnProperty(name = "spring.redis.client-type", havingValue = "jedis", matchIfMissing = true)
class JedisConnectionConfiguration extends RedisConnectionConfiguration {

	// 。。。

	@Bean
	JedisConnectionFactory redisConnectionFactory(
			ObjectProvider<JedisClientConfigurationBuilderCustomizer> builderCustomizers) {
		return createJedisConnectionFactory(builderCustomizers);
	}

	// 。。。
}

我们先来看看上述 JedisConnectionConfiguration 配置类涉及到的注解,如下:

  • @Configuration(proxyBeanMethods = false) : 该类是一个配置类,用于定义和配置 Spring 容器中的 beanproxyBeanMethods = false表示不使用 CGLIB 代理来创建 bean 的子类实例。
  • @ConditionalOnClass({ GenericObjectPool.class, JedisConnection.class, Jedis.class }) :只有在项目中存在 GenericObjectPoolJedisConnectionJedis 这三个类时,才会加载这个配置类。这可以确保项目依赖中包含了这些类,避免因为缺少依赖而导致的配置错误。
  • @ConditionalOnMissingBean(RedisConnectionFactory.class) :表示只有在项目中不存在 RedisConnectionFactory 这个 bean 时,才会加载这个配置类。这可以确保项目没有重复定义相同的 bean,避免冲突。
  • @ConditionalOnProperty(name = "spring.redis.client-type", havingValue = "jedis", matchIfMissing = true) :只有在项目的配置文件中指定了 spring.redis.client-type 属性值为 "jedis" 时,才会加载这个配置类。如果配置文件中指定该属性值不是 "jedis",则不会加载这个配置类。matchIfMissing = true 表示如果没有找到匹配的属性值,也会加载这个配置类。
  • @Bean :用于声明一个方法创建的对象是一个 Spring 管理的 BeanSpring 容器会自动管理这个 Bean 的生命周期,包括依赖注入、初始化和销毁等。

2.4 redisConnectionFactory 方法

通过翻看 JedisConnectionConfiguration 的源码,我们可以看到 redisConnectionFactory 方法是被 @Bean 注解标注的,意味着该方法创建的 Jedis 连接工厂将成为 Spring 管理的 Bean 对象。

该方法接受一个入参 ObjectProvider<JedisClientConfigurationBuilderCustomizer>,它是一个提供者(Provider),它可以提供一个或多个JedisClientConfigurationBuilderCustomizer 对象。该对象是一个用于定制 Jedis 客户端配置的接口。通过实现这个接口,可以自定义 Jedis 客户端的配置,例如设置连接池大小、超时时间、SSL 配置等。这样我们就可以根据实际的需求灵活地调整 Jedis 客户端的行为。

进入 redisConnectionFactory 方法,我们看到它直接调用了 createJedisConnectionFactory 方法并返回一个 JedisConnectionFactory 对象。

我们继续查看 createJedisConnectionFactory 方法:

private JedisConnectionFactory createJedisConnectionFactory(
			ObjectProvider<JedisClientConfigurationBuilderCustomizer> builderCustomizers) {
	JedisClientConfiguration clientConfiguration = getJedisClientConfiguration(builderCustomizers);
	if (getSentinelConfig() != null) {
		return new JedisConnectionFactory(getSentinelConfig(), clientConfiguration);
	}
	if (getClusterConfiguration() != null) {
		return new JedisConnectionFactory(getClusterConfiguration(), clientConfiguration);
	}
	return new JedisConnectionFactory(getStandaloneConfig(), clientConfiguration);
}

我们详细来分析一下上述代码:

  • 首先,调用 getJedisClientConfiguration 方法返回一个 JedisClientConfiguration 配置类对象。

    • 继续进入 getJedisClientConfiguration 方法:

      private JedisClientConfiguration getJedisClientConfiguration(
      	ObjectProvider<JedisClientConfigurationBuilderCustomizer> builderCustomizers) {
      	JedisClientConfigurationBuilder builder = applyProperties(JedisClientConfiguration.builder());
      	RedisProperties.Pool pool = getProperties().getJedis().getPool();
      	if (isPoolEnabled(pool)) {
      		applyPooling(pool, builder);
      	}
      	if (StringUtils.hasText(getProperties().getUrl())) {
      		customizeConfigurationFromUrl(builder);
      	}
      	builderCustomizers.orderedStream().forEach((customizer) -> customizer.customize(builder));
      	return builder.build();
      }
      
      • 首先,调用 applyProperties 方法,获取一个 JedisClientConfigurationBuilder 对象,用于构建 JedisClientConfiguration 对象。

        private JedisClientConfigurationBuilder applyProperties(JedisClientConfigurationBuilder builder) {
        	PropertyMapper map = PropertyMapper.get().alwaysApplyingWhenNonNull();
        	map.from(getProperties().isSsl()).whenTrue().toCall(builder::useSsl);
        	map.from(getProperties().getTimeout()).to(builder::readTimeout);
        	map.from(getProperties().getConnectTimeout()).to(builder::connectTimeout);
        	map.from(getProperties().getClientName()).whenHasText().to(builder::clientName);
        	return builder;
        }
        

        该方法的主要目的是根据属性配置来定制 builder 对象。

        • 首先,创建一个 PropertyMapper 对象 map,并调用其 alwaysApplyingWhenNonNull() 方法,以便在非空情况下始终应用映射规则。

        • 接下来,使用 map.from() 方法设置映射规则。这里分别设置了以下映射规则:

          • 如果属性中的 isSsltrue,则调用 builder::useSsl 方法,将 builder 对象的 useSsl 属性设置为 true
          • 将属性中的 timeout 值设置为 builder 对象的 readTimeout 属性。
          • 将属性中的 connectTimeout 值设置为 builder 对象的 connectTimeout 属性。
          • 如果属性中的 clientName 有文本内容,则调用 builder::clientName 方法,将 builder 对象的 clientName 属性设置为该文本内容。
        • 最后,返回经过配置的 builder 对象。

      • 接着,从 RedisProperties 中获取 Jedis 连接池的配置信息。

        • enabled : 是否启用连接池。如果可用,则自动启用。在 Jedis 中,哨兵模式下的连接池是隐式启用的,此设置仅适用于单节点设置。

        • maxIdle : 池中空闲连接的最大数量。使用负值表示无限数量的空闲连接。

        • minIdle : 池中保持最小空闲连接的目标数量。此设置仅在空闲连接和驱逐运行之间的时间都为正时才有效。

        • maxActive : 给定时间内,连接池可以分配的最大连接数。使用负值表示无限制。

        • maxWait : 当连接池耗尽时,连接分配应阻塞的最长时间。使用负值表示无限期阻塞。

        • timeBetweenEvictionRuns : 空闲对象驱逐线程的运行时间间隔。当值为正时,空闲对象驱逐线程开始运行,否则不执行空闲对象驱逐。

      • 然后,判断连接池是否启用 ?

        • 如果启用,则调用 applyPooling 方法,将连接池配置应用到 builder 对象上。

          private void applyPooling(RedisProperties.Pool pool,
          		JedisClientConfiguration.JedisClientConfigurationBuilder builder) {
          	builder.usePooling().poolConfig(jedisPoolConfig(pool));
          }
          
          private JedisPoolConfig jedisPoolConfig(RedisProperties.Pool pool) {
          	JedisPoolConfig config = new JedisPoolConfig();
          	config.setMaxTotal(pool.getMaxActive());
          	config.setMaxIdle(pool.getMaxIdle());
          	config.setMinIdle(pool.getMinIdle());
          	if (pool.getTimeBetweenEvictionRuns() != null) {
          		config.setTimeBetweenEvictionRuns(pool.getTimeBetweenEvictionRuns());
          	}
          	if (pool.getMaxWait() != null) {
          		config.setMaxWait(pool.getMaxWait());
          	}
          	return config;
          }
          
          • usePooling() : 启用连接池功能
          • poolConfig(jedisPoolConfig(pool)) :将连接池的配置信息传递给 builder 对象
      • 判断属性中的 spring.redis.url 是否包含非空的文本内容?

        • 如果包含非空的文本内容 ,则调用 customizeConfigurationFromUrl 方法:
          private void customizeConfigurationFromUrl(JedisClientConfiguration.JedisClientConfigurationBuilder builder) {
          	ConnectionInfo connectionInfo = parseUrl(getProperties().getUrl());
          	if (connectionInfo.isUseSsl()) {
          		builder.useSsl();
          	}
          }
          
          • 首先,调用 parseUrl 方法来解析 URL,并将结果存储在 connectionInfo 变量中。
          • 然后,调用 connectionInfo#isUseSsl 方法,判断是否需要使用 SSL 连接。如果需要使用 SSL 连接,则调用 builder 对象的 useSsl() 方法来启用 SSL 功能。
      • 遍历 builderCustomizers 中的所有自定义器,并对每个自定义器调用其 customize 方法,传入 builder 作为参数,用于进一步定制 Jedis 客户端的配置。

  • 接着,获取哨兵模式配置,并判断是否为空,如果不为空,则直接根据哨兵模式的配置创建并返回一个连接工厂实例。

  • 然后,获取集群模式配置,并判断是否为空,如果不为空,则直接根据集群模式的配置创建并返回一个连接工厂实例。

  • 最后,获取单机模式配置,根据单机模式的配置创建并返回一个连接工厂实例。

总结

本篇我们深入分析了 JedisConnectionConfiguration 配置类的相关内容,该类用于配置 Redis 连接的 Jedis 实现。

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

如若内容造成侵权/违法违规/事实不符,请联系我们进行投诉反馈qq邮箱809451989@qq.com,一经查实,立即删除!

相关文章

Zephyr-7B-β :类GPT的高速推理LLM

Zephyr 是一系列语言模型&#xff0c;经过训练可以充当有用的助手。 Zephyr-7B-β 是该系列中的第二个模型&#xff0c;是 Mistralai/Mistral-7B-v0.1 的微调版本&#xff0c;使用直接偏好优化 (DPO) 在公开可用的合成数据集上进行训练 。 我们发现&#xff0c;删除这些数据集的…

SMART PLC开放式以太网通信(UDP通信)

西门子S7-200 SMART PLC不仅支持开放式以太网通信,还支持MODBU-RTU,以及ModbusTcp通信,详细内容请参考下面文章: MODBUS-RTU主站通信 【精选】PLC MODBUS通信优化、提高通信效率避免权限冲突(程序+算法描述)-CSDN博客文章浏览阅读2.5k次,点赞5次,收藏10次。MODBUS通讯…

Java 性能优化之直接使用成员变量 VS 拷贝副本

背景 刷到一个大佬的 CSDN 博客&#xff0c;仔细看了一下性能优化专栏。联想到我们的日常开发工作&#xff0c;由于业务比较简单&#xff0c;很容就忽略性能问题。但是&#xff0c;性能优化的一下常见思路&#xff0c;也早有耳闻。看了一个 Java 性能优化的方法 「减少操作指令…

详细讲解如何求解「内向基环森林」问题

题目描述 这是 LeetCode 上的 「2876. 有向图访问计数」 &#xff0c;难度为 「困难」。 Tag : 「基环森林」、「内向基环树」、「拓扑排序」、「图」、「BFS」 现有一个有向图&#xff0c;其中包含 n 个节点&#xff0c;节点编号从 0 到 n - 1。此外&#xff0c;该图还包含了 …

运动重定向:TeachNet

Vision-based Teleoperation of Shadow Dexterous Hand using End-to-End Deep Neural Network解析 摘要1. 简介2. Related Work2.1 基于视觉的无标记远程操作2.2 基于深度的3D手部姿势估计2.3 远程操作中的主从配对2.4 遥操作映射方法 3. 师生网络Joint angle lossConsistency…

图像置乱加密的破解方法

仅仅通过置乱的方式,是无法对图像进行安全加密的。 针对采用置乱方式加密,可以采用多对(明文、密文)推导出加密时所使用的置乱盒。 step1 :初始化 1、使用I表示明文,E表示密文,彼此间关系如下: 2、为了处理上的方便,把二维转换为一维(这里为了说明方便,实际上,大…

【油猴脚本】学习笔记

目录 新建用户脚本模板源注释 测试代码获取图标 Tampermonkey v4.19.0 原教程&#xff1a;手写油猴脚本&#xff0c;几分钟学会新技能——王子周棋洛   Tampermonkey首页   面向 Web 开发者的文档   Greasy Fork 新建用户脚本 打开【管理面板】 点击【】&#xff0c;即…

win10提示mfc100u.dll丢失的解决方法,快速解决dll问题

在计算机使用过程中&#xff0c;我们经常会遇到一些错误提示&#xff0c;其中之一就是“mfc100u.dll丢失”。那么&#xff0c;mfc100u.dll是什么&#xff1f;mfc100u.dll是Microsoft Visual C Redistributable文件之一&#xff0c;它包含了用于MFC (Microsoft Foundation Class…

win10 + cmake3.17 + vs2017编译osgearth2.7.0遇到的坑

坑1&#xff1a;debug模式下生成osgEarthAnnotation时 错误&#xff1a;xmemory0(881): error C2440: “初始化”: 无法从“std::pair<const _Kty,_Ty>”转换为 to _Objty 出错位置&#xff1a;src/osgEarthFeatures/FeatureSourceIndexNode.cpp 解决办法&#xff1a; …

pix2tex - LaTeX OCR 安装使用记录

系列文章目录 文章目录 系列文章目录前言一、安装二、使用三、如果觉得内容不错&#xff0c;请点赞、收藏、关注 前言 项目地址&#xff1a;这儿 一、安装 版本要求 Python: 3.7 PyTorch: >1.7.1 安装&#xff1a;pip install "pix2tex[gui]" 注意&#xff1a…

高德Go生态建设与研发实践

序 高德在构建Go生态演化过程中&#xff0c;已经实现了QPS从0到峰值千万的飞跃&#xff0c;本篇文章主要介绍在此过程中积累的一些技术决策及性能优化和重构经验。阅读本文读者会有以下3点收获&#xff1a; 1.高德Go生态发展历程及现状分析 2.高德云原生Serverless落地情况&…

第七章 Python常用函内置函数

系列文章目录 第一章 Python 基础知识 第二章 python 字符串处理 第三章 python 数据类型 第四章 python 运算符与流程控制 第五章 python 文件操作 第六章 python 函数 第七章 python 常用内建函数 第八章 python 类(面向对象编程) 第九章 python 异常处理 第十章 python 自定…

Proteus仿真--1602LCD显示电话拨号键盘按键实验(仿真文件+程序)

本文主要介绍基于51单片机的LCD1602显示电话拨号键盘按键实验&#xff08;完整仿真源文件及代码见文末链接&#xff09; 仿真图如下 其中右下方12个按键模拟仿真手机键盘&#xff0c;使用方法同手机键一样&#xff0c;拨打手机号码则在液晶显示屏上显示对应的号码 仿真运行…

Openssl生成证书-nginx使用ssl

Openssl生成证书并用nginx使用 安装openssl yum install openssl -y创库目录存放证书 mkdir /etc/nginx/cert cd /etc/nginx/cert配置本地解析 cat >>/etc/hosts << EOF 10.10.10.21 kubernetes-master.com EOF10.10.10.21 主机ip、 kubernetes-master.com 本…

【NeurIPS 2020】基于蒙特卡罗树搜索的黑箱优化学习搜索空间划分

Learning Search Space Partition for Black-box Optimization using Monte Carlo Tree Search 目标&#xff1a;从采样&#xff08;Dt ∩ ΩA&#xff09;中学习一个边界&#xff0c;从而最大化两方的差异 先使用Kmeans在特征向量上&#xff08; [x, f(x)] &#xff09;聚类…

OCS2工具箱

实时系统优化控制工具箱 参考视频&#xff1a;ETH 最优控制/MPC 实时求解器 OCS2 使用入门 参考文档&#xff1a;OCS2 求解器入门 选择OCS2 OCS2 是一个 MPC 实时求解器 (SLQ/iLQR)&#xff0c;依赖 Pinocchio 构建机器人动力学模型&#xff0c;采用 RViz 或者 RaiSim 验证 (…

快速解决mfc140u.dll丢失问题,找不到mfc140u.dll修复方法分享

在计算机使用过程中&#xff0c;我们可能会遇到各种问题&#xff0c;其中之一就是某些dll文件丢失。最近&#xff0c;我就遇到了一个关于mfc140u.dll丢失的问题。mfc140u.dll是Microsoft Foundation Class&#xff08;MFC&#xff09;库中的一个动态链接库文件&#xff0c;它包…

Qt中正确的设置窗体的背景图片的几种方式

Qt中正确的设置窗体的背景图片的几种方式 QLabel加载图片方式之一Chapter1 Qt中正确的设置窗体的背景图片的几种方式一、利用styleSheet设置窗体的背景图片 Chapter2 Qt的主窗口背景设置方法一&#xff1a;最简单的方式是通过ui界面来设置&#xff0c;例如设置背景图片方法二 &…

高匿IP有什么作用

在互联网的蓬勃发展中&#xff0c;IP地址作为网络通信的基础&#xff0c;一直扮演着举足轻重的角色。而在诸多IP地址中&#xff0c;高匿IP地址则是一种特殊类型&#xff0c;其作用和价值在某些特定场合下尤为突出。那么&#xff0c;高匿IP地址究竟有哪些用处呢&#xff1f; 首先…

[云原生1. ] Docker consul的详细介绍(容器服务的更新与发现)

文章目录 1. 服务注册与发现的概述1.1 cmp问题1.2 解决方法 2. Consul的概述2.1 简介2.2 为什么要使用Consul服务模块2.2 Consul的服务架构2.3 Consul的一些关键特性 3. consul服务部署3.1 前置准备3.2 Consul服务器3.2.1 建立 Consul 服务3.2.2 设置代理&#xff0c;在后台启动…