SpringBoot自动配置的原理篇,剖析自动配置原理;实现自定义启动类!附有代码及截图详细讲解

news2024/11/26 2:44:46

SpringBoot 自动配置

Condition

Condition 是在Spring 4.0 增加的条件判断功能,通过这个可以功能可以实现选择性的创建 Bean 操作

思考:SpringBoot是如何知道要创建哪个Bean的?比如SpringBoot是如何知道要创建RedisTemplate的?

演示1:
<dependency>
    <groupId>org.springframework.boot</groupId>
    <artifactId>spring-boot-starter-data-redis</artifactId>
</dependency>
1. 没有添加坐标前,发现为空,报错
    ConfigurableApplicationContext context =
    SpringApplication.run(SpringbootCondition01Application.class, args);
    Object redisTemplate = context.getBean("redisTemplate");
    System.out.println(redisTemplate);
2. 有添加坐标前,发现有对象
    ConfigurableApplicationContext context =
    SpringApplication.run(SpringbootCondition01Application.class, args);
    Object redisTemplate = context.getBean("redisTemplate");
    System.out.println(redisTemplate);
疑问,他怎么知道的配置哪个类案例1

案例1:

Spring的IOC容器中有一个User的Bean现要求:导入Jedis坐标后,加载该Bean,没导入,则不加载

代码实现:

  1. POJO实体类:User

    public class User {
    }
    
  2. 现在对User的加载有条件,不能直接用@Component注入,需要写配置类通过@Bean的方式注入

    @Configuration
    public class UserConfig {
        @Bean
        @Conditional(value = ClassCondition.class)    // 注入条件
        public User user(){
            return  new User();
        }
    }
    

    @Conditional中的ClassCondition.class的matches方法,返回true执行以下代码,否则反之

  3. 创建ClassCondition类实现Condition接口,重写matches方法

    public class ClassCondition implements Condition {
      @Override
      public boolean matches(ConditionContext context, AnnotatedTypeMetadata metadata) {
        boolean falg = true;
        try {
          Class<?> cls = Class.forName("redis.clients.jedis.Jedis");
        } catch (ClassNotFoundException e) {
          falg=false;
        }
        return falg;
      }
    }
    
  4. 启动类:

    @SpringBootApplication
    public class SpringbootCondition01Application {
      public static void main(String[] args) {
        //启动SpringBoot的应用,返回Spring的IOC容器
        ConfigurableApplicationContext context = SpringApplication.run(SpringbootCondition01Application.class,args);
        
        //获取Bean,redisTemplate
        //情况1 没有添加坐标前,发现为空
        //情况2 有添加坐标前,发现有对象
        Object user = context.getBean("user");
        System.out.println(user);
      }
    }
    
  5. 测试,通过pom文件中对Jedis坐标是否注释

    1. Jedi坐标未注释,可以打印出User对象地址

    2. Jedis坐标被注释掉,报错,不打印User对象地址

案例二:

在 Spring 的 IOC 容器中有一个 User 的 Bean,现要求:将类的判断定义为动态的。判断哪个字节码文件存在可以动态指定

实现步骤:

  1. 不使用@Conditional(ClassCondition.class)注解
  2. 自定义注解@ConditionOnClass,因为他和之前@Conditional注解功能一直,所以直接复制
  3. 编写ClassCondition中的matches方法

代码实现:

  1. POJO实体类User和案例1相同

  2. User的注入条件需要改变,使用@ConditionOnClass

    @Configuration
    public class UserConfig {
        @Bean
    //    @ConditionOnClass(value = "redis.clients.jedis.Jedis")  有jedis坐标注入User
        @ConditionOnClass(value = {"redis.clients.jedis.Jedis","com.alibaba.fastjson.JSON"})  //jedis和json都有才注入 
        public User user(){
            return new User();
        }
    }
    
  3. 重写matches方法

    public class ClassCondition implements Condition {
        @Override
        public boolean matches(ConditionContext context, AnnotatedTypeMetadata metadata) {
            Map<String, Object> map = metadata.getAnnotationAttributes(ConditionOnClass.class.getName());
            System.out.println("map:"+map);
            String[] value = (String[]) map.get("value");
    
            boolean isok = true;
            try {
                for(String val : value){
                    Class<?> cls = Class.forName(val);
                }
            }catch (ClassNotFoundException e){
                isok = false;
            }
            return isok;
        }
    }
    
  4. 自定义注解

    @Target({ElementType.TYPE,ElementType.METHOD})//可以修饰在类与方法上
    @Retention(RetentionPolicy.RUNTIME)//注解生效节点runtime
    @Documented//生成文档
    @Conditional(value = ClassCondition.class)
    public @interface ConditionOnClass {
        String[] value(); //设置此注解的属性redis.clients.jedis.Jedis
    }
    
  5. 启动类

    @SpringBootApplication
    public class SpringbootCondition02Application {
        public static void main(String[] args) {
            ConfigurableApplicationContext context = SpringApplication.run(SpringbootCondition02Application.class, args);
            Object user = context.getBean("user");
            System.out.println(user);
        }
    }
    
  6. 测试:通过pom文件中的Jedis和JSON坐标测试

    • Jedis和JSON坐标都有:打印User对象地址
    • 只有一个坐标或者都没有:报错,不打印User对象地址

Condition总结

自定义条件:

  1. 定义条件类:自定义类实现Condition接口,重写 matches 方法,在 matches 方法中进行逻辑判断,返回boolean值 。matches 方法两个参数:
    • context:上下文对象,可以获取属性值,获取类加载器,获取BeanFactory等。
    • metadata:元数据对象,用于获取注解属性。
  2. 判断条件: 在初始化Bean时,使用 @Conditional(条件类.class)注解

SpringBoot提供的常用条件注解:

一下注解在springBoot-autoconfigure的condition包下

  1. ConditionalOnProperty:判断配置文件中是否有对应属性和值才初始化Bean
  2. ConditionalOnClass:判断环境中是否有对应字节码文件才初始化Bean
  3. ConditionalOnMissingBean:判断环境中没有对应Bean才初始化Bean
  4. ConditionalOnBean:判断环境中有对应Bean才初始化Bean

@Enable注解

SpringBoot中提供了很多Enable开头的注解,这些注解都是用于动态启用某些功能的。而其底层原理是使用@Import注 解导入一些配置类,实现Bean的动态加载

思考 SpringBoot 工程是否可以直接获取jar包中定义的Bean?

@Enable的底层核心:@Import

@Enable底层依赖于@Import注解导入一些类,使用@Import导入的类会被Spring加载到IOC容器中。而@Import提供4中用法:

  1. 导入Bean
  2. 导入配置类
  3. 导入 ImportSelector 实现类。一般用于加载配置文件中的类
  4. 导入 ImportBeanDefinitionRegistrar 实现类

导入Bean

代码实现:

需要用到多模块编程,项目结构如图:

在这里插入图片描述

springboot_enable_02:

  1. springboot项目,pom文件不需要格外到坐标

  2. User

    public class User {
    }
    
  3. UserConfig

    @Configuration
    public class UserConfig {
        @Bean
        public User user(){
            return new User();
        }
    }
    
  4. EnableUser自定义注解

    @Target(ElementType.TYPE)
    @Retention(RetentionPolicy.RUNTIME)
    @Documented
    @Import(UserConfig.class)
    public @interface EnableUser {
    }
    
  5. 启动类

    @SpringBootApplication
    public class SpringbootEnable02Application {
        public static void main(String[] args) {
            ConfigurableApplicationContext context = SpringApplication.run(SpringbootEnable02Application.class, args);
            Object user = context.getBean("user");   // enable_02中肯定能取到User
            System.out.println(user);
        }
    }
    

springboot_enable_01:

  1. pom文件导入springboot_enable_02的gav:

    <dependency>
      <groupId>org.springframework.boot</groupId>
      <artifactId>spring-boot-starter-web</artifactId>
    </dependency>
    
    <dependency>
      <groupId>org.springframework.boot</groupId>
      <artifactId>spring-boot-starter-test</artifactId>
      <scope>test</scope>
    </dependency>
    
    <!--模块2-->
    <dependency>
      <groupId>com.dong</groupId>
      <artifactId>springboot_enable_02</artifactId>
      <version>0.0.1-SNAPSHOT</version>
    </dependency>
    
  2. 测试:

    //@Import(User.class)
    //@Import(UserConfig.class)
    //@EnableUser
    @ComponentScan("com.dong.springboot_enable_02.config")
    @SpringBootApplication
    public class SpringbootEnable01Application {
        public static void main(String[] args) {
            ConfigurableApplicationContext context = SpringApplication.run(SpringbootEnable01Application.class, args);
            Object user = context.getBean(User.class);
            System.out.println(user);
        }
    }
    

    因为enable_01导如了enable_02的坐标,相当是把02的所有代码拷贝在与01的启动类同级目录下,如果包名和包的层级都相同,就可以直接装配User类,但是包的层级不同就必须加注解

    • @Import(User.class):对应第一个使用场景

      ​ 导入02中的User类

    • @Import(UserConfig.class):对应第二个使用场景

      ​ 加载02中的UserConfig配置类,加载配置类中所有的方法和类

    • @EnableUser:

      ​ 自定义的注解,包装了一个@Import(User.class)

    • @ComponentScan(“com.dong.springboot_enable_02.config”):

      ​ 扫描包,加载类和配置类

导入配置类

见上方示例的@Import(UserConfig.class),导入配置类加载配置类中所有的方法和类

导入ImportSelector 实现类

导入 ImportBeanDefinitionRegistrar 实现类

ImportSelector 和 ImportBeanDefinitionRegistrar 一起演示

代码实现:

​ 项目结构
在这里插入图片描述

springboot_enable_04

  1. springboot项目,pom文件不需要额外到坐标

  2. POJO

    实体类:User

    public class User {
    }
    

    Student

    public class Student {
    }
    
  3. UserConfig配置类

    @Configuration
    public class UserConfig {
        @Bean
        public User user(){
            return  new User();
        }
    }
    
  4. MyImportSelector

    public class MyImportSelector implements ImportSelector {
        @Override
        public String[] selectImports(AnnotationMetadata importingClassMetadata) {
            return new String[]{"com.dong.springboot_enable_04.pojo.User","com.dong.springboot_enable_04.pojo.Student"};
        }
    }
    
  5. MyImportBeanDefinitionRegistrar

    public class MyImportBeanDefinitionRegistrar implements ImportBeanDefinitionRegistrar {
        @Override
        public void registerBeanDefinitions(AnnotationMetadata importingClassMetadata, BeanDefinitionRegistry registry) {
            AbstractBeanDefinition beanDefinition = BeanDefinitionBuilder.rootBeanDefinition(User.class).getBeanDefinition();
            registry.registerBeanDefinition("user1",beanDefinition);
        }
    }
    

springboot_enable_03

  1. springboot_enable_03pom文件导入springboot_enable_04坐标

    <dependencies>
      <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-web</artifactId>
      </dependency>
    
      <dependency>
        <groupId>org.springframework.boot</groupId>
        <artifactId>spring-boot-starter-test</artifactId>
        <scope>test</scope>
      </dependency>
    	<!--springboot_enable_04坐标-->
      <dependency>
        <groupId>com.dong</groupId>
        <artifactId>springboot_enable_04</artifactId>
        <version>0.0.1-SNAPSHOT</version>
      </dependency>
    </dependencies>
    
  2. 测试:启动类

    @ComponentScan("com.dong.springboot_enable_04.config")
    @Import(User.class)
    @Import(UserConfig.class)
    @Import(MyImportSelector.class)
    @Import(MyImportBeanDefinitionRegistrar.class)
    @SpringBootApplication
    public class SpringbootEnable03Application {
      public static void main(String[] args) {
        ConfigurableApplicationContext context = SpringApplication.run(SpringbootEnable03Application.class, args);
        User user = context.getBean(User.class);
        System.out.println(user);
    
        Student student = context.getBean(Student.class);
        System.out.println(student);
    
        User user1 = (User) context.getBean("user1");
        System.out.println(user1);
      }
    }
    
    • @Import(MyImportSelector.class):对应第三个使用场景

      ​ MyImportSelector实现了ImportSelector接口重写了selectImports方法,在字符出数组中的完全相对路径即注入了容器,因为引入了enable_04,所以03中可以获取到User和Student

    • @Import(MyImportBeanDefinitionRegistrar.class):对应第四个使用场景

      ​ MyImportBeanDefinitionRegistrar实现了ImportBeanDefinitionRegistrar接口,registerBeanDefinitions方法,在此方法中就可以对Bean进行注册,如案例演示,04注入了一个User对象,id是user1,所以03中就可以获取到User这个对象,打印出地址

@EnableAutoConfiguration注解

  • 主启动类

    //@SpringBootApplication 来标注一个主程序类
    //说明这是一个Spring Boot应用
    @SpringBootApplication
    public class SpringbootApplication {
      public static void main(String[] args) {
        //以为是启动了一个方法,没想到启动了一个服务
        SpringApplication.run(SpringbootApplication.class, args);
      }
    }
    
  • @SpringBootApplication注解内部

    @SpringBootConfiguration
    @EnableAutoConfiguration
    @ComponentScan(
        excludeFilters = {@Filter(
        type = FilterType.CUSTOM,
        classes = {TypeExcludeFilter.class}
    ), @Filter(
        type = FilterType.CUSTOM,
        classes = {AutoConfigurationExcludeFilter.class}
    )}
    )
    public @interface SpringBootApplication {
    // ......
    }
    
    1. @ComponentScan

      这个注解在Spring中很重要 ,它对应XML配置中的元素。

      作用:自动扫描并加载符合条件的组件或者bean , 将这个bean定义加载到IOC容器中

    2. @SpringBootConfiguration

      作用:SpringBoot的配置类 ,标注在某个类上 , 表示这是一个SpringBoot的配置类;

      //@SpringBootConfiguration注解内部
      //这里的 @Configuration,说明这是一个配置类 ,配置类就是对应Spring的xml 配置文件;
      @Configuration
      public @interface SpringBootConfiguration {}
      //里面的 @Component 这就说明,启动类本身也是Spring中的一个组件而已,负责启动应用
      @Component
      public @interface Configuration {}
      
  • AutoConfigurationPackage :自动配置包

    //AutoConfigurationPackage的子注解
    //Registrar.class 作用:将主启动类的所在包及包下面所有子包里面的所有组件扫描到Spring容器
    @Import({Registrar.class})
    public @interface AutoConfigurationPackage {
    }
    
  • @EnableAutoConfiguration开启自动配置功能

    以前我们需要自己配置的东西,而现在SpringBoot可以自动帮我们配置 ;@EnableAutoConfiguration告诉SpringBoot开启自动配置功能,这样自动配置才能生效;

    @Import({AutoConfigurationImportSelector.class}):给容器导入组件 ;

    AutoConfigurationImportSelector :自动配置导入选择器,给容器中导入一些组件

AutoConfigurationImportSelector.class
					↓
		selectImports方法
					↓
this.getAutoConfigurationEntry(annotationMetadata)方法
					↓
this.getCandidateConfigurations(annotationMetadata, attributes)方法
					↓
方法体:
		List<String> configurations =
SpringFactoriesLoader.loadFactoryNames(this.getSpringFactoriesLoaderFactoryClass
(), this.getBeanClassLoader());
		Assert.notEmpty(configurations, "No auto configuration classes found in META-INF/spring.factories. If you are using a custom packaging, make sure that file is correct.");
return configurations;
					↓
在所有包名叫做autoConfiguration的包下面都有META-INF/spring.factories文件

总结原理:

  • @EnableAutoConfiguration 注解内部使用 @Import(AutoConfigurationImportSelector.class)

    来加载配置类。

  • 配置文件位置:META-INF/spring.factories,该配置文件中定义了大量的配置类,当 SpringBoot

    应用启动时,会自动加载这些配置类,初始化Bean

  • 并不是所有的Bean都会被初始化,在配置类中使用Condition来加载满足条件的Bean

SpringBoot自动配置原理扒源代码图解

在这里插入图片描述

自定义启动类的实现

案例需求:

自定义redis-starter,要求当导入redis坐标时,SpringBoot自动创建Jedis的Bean

参考:

可以参考mybatis启动类的应用

在这里插入图片描述

实现步骤:

  1. 创建redis-spring-boot-autoconfigure模块
  2. 创建redis-spring-boot-starter模块,依赖redis-spring-boot-autoconfigure的模块
  3. 在redis-spring-boot-autoconfigure模块中初始化Jedis的Bean,并定义META-INF/spring.factories文件
  4. 在测试模块中引入自定义的redis-starter依赖,测试获取Jedis的Bean,操作redis

代码实现演示:

​ 目录结构

  • redis-spring-boot-autoconfigure模块

    1. pom文件

      <dependencies>
        <dependency>
          <groupId>redis.clients</groupId>
          <artifactId>jedis</artifactId>
        </dependency>
        <dependency>
          <groupId>org.springframework.boot</groupId>
          <artifactId>spring-boot-starter</artifactId>
        </dependency>
        <!--spring-boot-starter-test注释掉了-->
      </deendencies>
      
    2. RedisAutoConfiguration配置类

      @Configuration
      @EnableConfigurationProperties(RedisProperties.class)
      public class RedisAutoConfiguration {
          @Bean
          public Jedis jedis(RedisProperties redisProperties){
              return new Jedis(redisProperties.getHost(),redisProperties.getPort());
          }
      }
      
    3. 动态获取主机号和端口号的类

      @ConfigurationProperties(prefix = "spring.redis")  
      //如果配置文件中有就读取配置文件中的spring.redis下面get、set方法就会对host和port达到动态效果,如果配置文件中没有spring.redis就默认localhost和6379
      public class RedisProperties {
          private String host="localhost";
          private int port=6379;
          public String getHost() {
              return host;
          }
          public void setHost(String host) {
              this.host = host;
          }
          public int getPort() {
              return port;
          }
          public void setPort(int port) {
              this.port = port;
          }
      }
      
    4. 在resources目录下创建META-INF文件夹,下创建spring.factories文件,写入键值

      org.springframework.boot.autoconfigure.EnableAutoConfiguration=\
        com.dong.redisspringbootautoconfigure.config.RedisAutoConfiguration
      
  • redis-spring-boot-start模块

    此模块只需要在pom文件中导入上个模块的gav,test文件夹和java下的目录都可以删除

    <dependencies>
        <dependency>
            <groupId>org.springframework.boot</groupId>
            <artifactId>spring-boot-starter</artifactId>
        </dependency>
    
        <!--引入自定义的redis-spring-boot-autoconfigure-->
        <dependency>
            <groupId>com.dong</groupId>
            <artifactId>redis-spring-boot-autoconfigure</artifactId>
            <version>0.0.1-SNAPSHOT</version>
        </dependency>
    </dependencies>
    
  • 测试模块springboot_enable_05

    1. pom文件导入redis-spring-boot-start模块gav

      <dependencies>
        <dependency>
          <groupId>org.springframework.boot</groupId>
          <artifactId>spring-boot-starter-web</artifactId>
        </dependency>
        <dependency>
          <groupId>org.springframework.boot</groupId>
          <artifactId>spring-boot-starter-test</artifactId>
          <scope>test</scope>
        </dependency>
        <!--导入自定义启动类-->
        <dependency>
          <groupId>com.dong</groupId>
          <artifactId>redis-spring-boot-start</artifactId>
          <version>0.0.1-SNAPSHOT</version>
        </dependency>
      </dependencies>
      
    2. yaml配置文件修改端口

      spring:
        redis:
          port: 6060
      
    3. 测试:

      @SpringBootApplication
      public class SpringbootEnable05Application {
          public static void main(String[] args) {
              ConfigurableApplicationContext context = SpringApplication.run(SpringbootEnable05Application.class, args);
              Jedis bean = context.getBean(Jedis.class);
              System.out.println(bean);
          }
      }
      

      输出内容:BinaryJedis{Connection{DefaultJedisSocketFactory{localhost:6060}}}

      说明走了我们自定义的启动器

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

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

相关文章

前端-第一部分-HTML

一.初识HTML 1.1 HTML 简介 HTML 全称为 HyperText Mark-up Language&#xff0c;翻译为超文本标签语言&#xff0c;标签也称作标记或者元素。HTML 是目前网络上应用最为广泛的技术之一&#xff0c;也是构成网页文档的主要基石之一。HTML文本是由 HTML 标签组成的描述性文本&a…

在Rust中使用多线程并发运行代码

1.Rust线程实现理念 在大部分现代操作系统中&#xff0c;已执行程序的代码在一个 进程&#xff08;process&#xff09;中运行&#xff0c;操作系统则会负责管理多个进程。在程序内部&#xff0c;也可以拥有多个同时运行的独立部分。这些运行这些独立部分的功能被称为 线程&am…

【js逆向实战】某sakura动漫视频逆向

写在前面 再写一个逆向实战&#xff0c;后面写点爬虫程序来实现一下。 网站简介与逆向目标 经典的一个视频网站&#xff0c;大多数视频网站走的是M3U8协议&#xff0c;就是一个分段传输&#xff0c;其实这里就有两个分支。 通过传统的m3u8协议&#xff0c;我们可以直接进行分…

千万别对女项目经理抱有幻想

大家好&#xff0c;我是老原。 前段时间&#xff0c;有一个粉丝朋友来咨询我一个问题&#xff0c;多少是有点把老原我问蒙圈 现在职场上女PM并不少见&#xff0c;也有很多优秀的女PM。 我也有不少和女PM合作的经历&#xff0c;不得不说&#xff0c;和她们沟通/合作可以说是很…

详解卷积神经网络结构

前言 卷积神经网络是以卷积层为主的深度网路结构&#xff0c;网络结构包括有卷积层、激活层、BN层、池化层、FC层、损失层等。卷积操作是对图像和滤波矩阵做内积&#xff08;元素相乘再求和&#xff09;的操作。 1. 卷积层 常见的卷积操作如下&#xff1a; 卷积操作解释图解…

能谈一下 CAS 机制吗

&#xff08;本文摘自mic老师面试文档&#xff09; 一个小伙伴私信我&#xff0c;他说遇到了一个关于 CAS 机制的问题&#xff0c;他以为面试官问的是 CAS 实现单点登录。 心想&#xff0c;这个问题我熟啊&#xff0c;然后就按照单点登录的思路去回答&#xff0c;结果面试官一…

Azure - 机器学习:自动化机器学习中计算机视觉任务的超参数

Azure Machine Learning借助对计算机视觉任务的支持&#xff0c;可以控制模型算法和扫描超参数。 这些模型算法和超参数将作为参数空间传入以进行扫描。 关注TechLead&#xff0c;分享AI全维度知识。作者拥有10年互联网服务架构、AI产品研发经验、团队管理经验&#xff0c;同济…

美国Embarcadero公司正式发布2023 RAD Studio Delphi C++ Builder 12 Athens

Embarcadero 非常高兴地宣布发布 RAD Studio 12 Athens 以及 Delphi 12 和 CBuilder 12。RAD Studio 12 Athens 版本包含令人兴奋的新功能&#xff0c;为该产品的未来奠定了基础。 目录 主要新功能 C 的奇妙之处Delphi 的一些不错的补充FireMonkey 和 Skia 作为新基金会采用 MD…

设计模式(3)-结构型模式

结构型模式 结构型模式描述如何将类或对象按某种布局组成更大的结构。它分为类结构型模式和对象结构型模式&#xff0c;前者采用继承机制来组织接口和类&#xff0c;后者釆用组合或聚合来组合对象。 由于组合关系或聚合关系比继承关系耦合度低&#xff0c;满足“合成复用原则…

从浏览器输入一个URL到最终展示出页面,中间会发送哪些事儿?

文章目录 前言一. DNS域名解析二. 进行封装三. 进行传输四. 到达服务器后层层分用五. 服务器把响应数据重新封装六. 响应数据进行传输七. 到达客户端层层分用八. 将网页渲染到浏览器上 前言 当你输入一个网址&#xff1a;www.baidu.com时&#xff0c;浏览器究竟做了哪些工作才…

C++ Qt 学习(四):自定义控件与 qss 应用

1. qss 简介 Qt style sheet&#xff08;qss&#xff0c;Qt 样式表&#xff09;&#xff0c;不需要用 C 代码控件进行重载&#xff0c;就可以修改控件外观&#xff0c;类似于前端的 css 2. qss 选择器 2.1 通配符选择器 /* 设置后控件窗口背景色都被修改为黄色 */ * {backg…

如何在Android平板上远程连接Ubuntu服务器code-server进行代码开发?

文章目录 1.ubuntu本地安装code-server2. 安装cpolar内网穿透3. 创建隧道映射本地端口4. 安卓平板测试访问5.固定域名公网地址6.结语 1.ubuntu本地安装code-server 准备一台虚拟机&#xff0c;Ubuntu或者centos都可以&#xff0c;这里以VMwhere ubuntu系统为例 下载code serve…

Vue3使用vue-print-nb插件打印功能

插件官网地址https://www.npmjs.com/package/vue-print-nb 效果展示: 打印效果 根据不同的Vue版本安装插件 //Vue2.0版本安装方法 npm install vue-print-nb --save pnpm install vue-print-nb --save yarn add vue-print-nb//Vue3.0版本安装方法&#xff1a; npm install vue3…

CentOS Linux 系统镜像

CentOS Linux具有以下特点&#xff1a; 稳定性&#xff1a;CentOS Linux旨在提供一个稳定、可靠的服务器环境&#xff0c;适合用于关键业务应用和生产环境。高效性&#xff1a;CentOS Linux经过优化和调整&#xff0c;可以充分发挥硬件的性能&#xff0c;提高系统的整体效率。…

2023 年最新腾讯官方 QQ 机器人(QQ 群机器人 / QQ 频道机器人)超详细开发教程

注册 QQ 开放平台账号 QQ 开放平台是腾讯应用综合开放类平台&#xff0c;包含 QQ 机器人、QQ 小程序、QQ 小游戏 等集成化管理&#xff0c;也就是说你注册了QQ 开放平台&#xff0c;你开发 QQ 机器人还是 QQ 小程序都是在这个平台进行部署上线和管理。 如何注册 QQ 开放平台账…

element ui:常用的组件使用情况记录

前言 将element ui使用过程中一些常用的组件使用情况记录如下 组件 el-tree树组件 树父子节点成一列显示 没有进行设置之前显示效果 设置之后显示效果 ​​​​ 主要代码如下 <el-treeicon-class"none"expand-on-click-node"false"style"…

【uniapp/uview】Collapse 折叠面板更改右侧小箭头图标

最终效果是这样的&#xff1a; 官方没有给出相关配置项&#xff0c;后来发现小箭头不是 uview 的图标&#xff0c;而是 unicode 编码&#xff0c;具体代码&#xff1a; // 箭头图标 ::v-deep .uicon-arrow-down[data-v-6e20bb40]:before {content: \1f783; }附一个查询其他 u…

HTML+CSS、Vue+less+、HTML+less 组件封装实现二级菜单切换样式跑(含全部代码)

一、HTMLCSS二级菜单 <!DOCTYPE html> <html lang"en"><head><meta charset"UTF-8" /><meta name"viewport" content"widthdevice-width, initial-scale1.0" /><title>Document</title><…

蓝桥杯国一,非ACMer选手保姆级经验分享

目录 一、前言二、蓝桥杯简介三、0基础计算机新手小白&#xff0c;赛前如何准备提高自己的获奖率&#xff1f;3.1 每两周参加一次【蓝桥算法双周赛】3.2 多练真题3.3 参加每一场官方校内模拟赛 四、结语 一、前言 hello&#xff0c;大家好&#xff0c;我是大赛哥(弟)&#xff…

2023.11-9 hive数据仓库,概念,架构

目录 一.HDFS、HBase、Hive的区别 二.大数据相关软件 三. Hive 的优缺点 1&#xff09;优点 2&#xff09;缺点 四. Hive 和数据库比较 1&#xff09;查询语言 2&#xff09;数据更新 3&#xff09;执行延迟 4&#xff09;数据规模 五.hive架构流程 六.MetaStore元…