本文主要是介绍Spring InitializingBean、init-method以及@PostConstruct 执行顺序,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
Spring 容器中的 Bean 是有生命周期的,Spring 允许在 Bean 在初始化完成后以及 Bean 销毁前执行特定的操作,常用的设定方式有以下三种:
- 通过实现
InitializingBean 或 DisposableBean
接口来定制初始化之后/销毁之前的操作方法; - 通过 元素的
init-method 或 destroy-method
属性指定初始化之后 /销毁之前调用的操作方法; - 在指定方法上加上
@PostConstruct 或 @PreDestroy
注解来制定该方法是在初始化之后还是销毁之前调用。
@Component
public class TaskBean {@Bean(initMethod = "initMethod", destroyMethod = "destroyMethod")public TaskService taskService() {return new TaskService();}}
@Slf4j
public class TaskService implements InitializingBean, DisposableBean {public TaskService() {log.info("TaskService constructor execute...");}@PostConstructprivate void postConstruct() {log.info("TaskService postConstruct...");}private void initMethod() {log.info("TaskService initMethod...");}@Overridepublic void afterPropertiesSet() throws Exception {log.info("TaskService afterPropertiesSet...");}@PreDestroyprivate void preDestroy() {log.info("TaskService preDestroy!!!");}private void destroyMethod() {log.info("TaskService destroyMethod!!!");}@Overridepublic void destroy() throws Exception {log.info("TaskService destroy!!!");}
}
注意:
在 IDEA 中退出应用程序, 销毁方法执行不了,必须使用 java -jar ***.jar 才行
程序运行输出
TaskService constructor execute...
TaskService postConstruct...
TaskService afterPropertiesSet...
TaskService initMethod......TaskService preDestroy!!!
TaskService destroy!!!
TaskService destroyMethod!!!
通过输出结果得知(三者的执行顺序):
构造函数 => PostConstruct => InitializingBean => initMethod
@Component
@Slf4j
public class PostProcessor implements BeanPostProcessor{@Overridepublic Object postProcessBeforeInitialization(Object bean, String beanName) throws BeansException {log.info("bean=[{}]准备实例化前", beanName);return bean;}@Overridepublic Object postProcessAfterInitialization(Object bean, String beanName) throws BeansException {log.info("bean=[{}]完成实例化后", beanName);return bean;}
}
执行顺序: 构造函数 -> (PostConstruct)postProcessBeforeInitialization -> InitializingBean -> postProcessAfterInitialization
由于 Spring Bean的生命周期 第一步是实例化Bean对象, 所以构造函数第一个执行
这篇关于Spring InitializingBean、init-method以及@PostConstruct 执行顺序的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!