欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

14、尚硅谷_SpringBoot_配置[email protected]、@ImportResource、@Bean

程序员文章站 2022-05-08 09:58:01
...

@PropertySource:加载指定的配置文件;

默认 @ConfigurationProperties(prefix = “person”)默认从全局配置文件中获取,但可不能讲所有的配置全写在一个文件中。当你把配置分开多个properties的时候,使用@PropertySource来指定当前绑定哪个配置文件。

/**
 * 将配置文件中配置的每一个属性的值,映射到这个组件中
 * @ConfigurationProperties:告诉SpringBoot将本类中的所有属性和配置文件中相关的配置进行绑定;
 *      prefix = "person":配置文件中哪个下面的所有属性进行一一映射
 *
 * 只有这个组件是容器中的组件,才能容器提供的@ConfigurationProperties功能;
 *  @ConfigurationProperties(prefix = "person")默认从全局配置文件中获取值;
 *
 */
@PropertySource(value = {"classpath:person.properties"})
@Component
@ConfigurationProperties(prefix = "person")
//@Validated
public class Person {

    /**
     * <bean class="Person">
     *      <property name="lastName" value="字面量/${key}从环境变量、配置文件中获取值/#{SpEL}"></property>
     * <bean/>
     */

   //lastName必须是邮箱格式
   // @Email
    //@Value("${person.last-name}")
    private String lastName;
    //@Value("#{11*2}")
    private Integer age;
    //@Value("true")
    private Boolean boss;

@ImportResource:导入Spring的配置文件,让配置文件里面的内容生效;

Spring Boot里面没有Spring的配置文件【就是早期spring里面的xml配置文件】,我们自己编写的配置文件,也不能自动识别;

例如:新建一个传统bean.xml文件

<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
       xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
       xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd">


    <bean id="HelloServices" class="com.sgg.lesson14.service.HelloServices"></bean>

</beans>

编写测试类,看看IOC容器中是否存在HelloServics 对象

/**
 * SpringBoot单元测试;
 * 可以在测试期间很方便的类似编码一样进行自动注入等容器的功能
 */

@RunWith(SpringRunner.class)
@SpringBootTest
public class HelloServiceTest {

    @Autowired
    ApplicationContext ioc;

    @Test
    public void helloService() {
        System.out.println(ioc);
        System.out.println(ioc.containsBean("HelloServices"));
    }

    /**
     * 
     * 输出
     * org.s[email protected]5f9b2141, started on Sat Jun 29 17:17:27 CST 2019
     * false
     * 
     */

}

打印IOC容器返回false不存在

想让Spring的配置文件生效,加载进来;@ImportResource标注在一个配置类上

导入Spring的配置文件让其生效
@ImportResource(locations = {"classpath:bean.xml"})
@SpringBootApplication
@ComponentScan(basePackages = {"com.sgg.lesson14.controller", "com.sgg.lesson14.bean"})
public class Lesson14Application {

    public static void main(String[] args) {
        SpringApplication.run(Lesson14Application.class, args);
    }

}

这时候测试类返回:true,但是你不能每次写代码都写一个beans.xml文件吧,太麻烦。

SpringBoot推荐给容器中添加组件的方式;推荐使用全注解的方式

1、配置类**@Configuration**------>Spring配置文件

2、使用**@Bean**给容器中添加组件

/**

  • @Configuration:指明当前类是一个配置类;就是来替代之前的Spring配置文件【beans.xml】
  • 在配置文件中用标签添加组件

*/
@Configuration
public class MyAppConfig {

//将方法的返回值添加到容器中;容器中这个组件默认的id就是方法名
@Bean
public HelloService helloService02(){
    System.out.println("配置类@Bean给容器中添加组件了...");
    return new HelloService();
}

}