spring boot @Profile应用

同样的,@Profile也是属于spring framework中的特性,看看一般应用到哪个场景;
如下代码:

@Bean(initMethod = "init", destroyMethod = "destroy")
public DemoBean getBean() {
    return new DemoBean();
}

通常来说,我们会有开发、测试、生产环境,如果有参数不同,那么就可以通过profile的属性来初始化bean,配置项也可以通过profile来获取不同的properties文件内容,在其他章节里面有记录;下面是dev和prod的两种环境下的Bean的初始化方法:

    @Bean
    @Profile("prod")
    public DemoBean getProdBean() {
        return new DemoBean("prod");
    }

    @Bean
    @Profile("dev")
    public DemoBean getDevBean() {
        return new DemoBean("dev");
    }

测试一下:

    public static void main(String[] args) {
        AnnotationConfigApplicationContext context = new AnnotationConfigApplicationContext();
        // 1、设置环境类型
        context.getEnvironment().setActiveProfiles("prod");
        // 2、注册配置类
        context.register(DemoBeanConfiguration.class);
        // 3、刷新context
        context.refresh();

        DemoBean bean = context.getBean(DemoBean.class);

        System.out.println(bean.profileName);
    }

打印结果是prod;
特别注意:代码执行顺序不能调整,refresh在系统初始化后只允许调用一次;

你可能感兴趣的:(spring boot @Profile应用)