springboot启动前执行方法的几种方式

第一种  @PostConstruct注解


@Configuration

public class Test1 {

    @Autowired

    private Environment environment;

    @PostConstruct

    public void test(){

        String property = environment.getProperty("aaa.bbb");

        System.out.println("test1"+property);

    }

}

第二种  实现InitializingBean接口


@Configuration

public class Test2 implements InitializingBean {

    @Autowired

    private Environment environment;

    @Override

    public void afterPropertiesSet() throws Exception {

        String property = environment.getProperty("aaa.bbb");

        System.out.println("test2"+property);

    }

}

第三种 实现BeanPostProcessor接口


@Configuration

public class Test3 implements BeanPostProcessor {

    @Autowired

    private Environment environment;

    @Override

    public Object postProcessBeforeInitialization(Object bean, String beanName) throws BeansException {

        String property = environment.getProperty("aaa.bbb");

        System.out.println("test3"+property);

        return bean;

    }

    @Override

    public Object postProcessAfterInitialization(Object bean, String beanName) throws BeansException {

        return bean;

    }

}

第四种  在启动类run之前执行方法


@SpringBootApplication

public class DemoApplication {

    public static void main(String[] args) {

        System.out.println("test4");

        SpringApplication.run(DemoApplication.class, args);

    }

}

当然这是不可取的

他们运行的优先级是

启动类前->BeanPostProcessor->@PostConstruct->InitializingBean

值得注意的是第三种方式,他可以让实现类里的方法提前执行

同样的使用@PostConstruct的两个类


@Configuration

public class Test1 {

    @PostConstruct

    public void test(){

        System.out.println("test1");

    }

}

第一个没有实现BeanPostProcessor接口


@Configuration

public class Test3 implements BeanPostProcessor {

    @Autowired

    private Environment environment;

    @PostConstruct

    public void  test(){

        System.out.println("test3");

    }

}

第二个实现了BeanPostProcessor接口,但是没有重写他的方法

打印结果如下

可以看到同样是使用了@PostConstruct注解,但是他们的执行顺序却截然不同

BeanPostProcessor为每一个spring维护的对象调用前后做操作,具体可以参照这篇博文

https://www.jianshu.com/p/1417eefd2ab1

知道了启动时的加载顺序,对我们做一些初始化工作有帮助。

你可能感兴趣的:(java,spring,cloud,springboot,springcloud)