The Spring bean lifecycle consists of several phases from instantiation to destruction. This article explores how to understand and manage these phases effectively.
Key features include:
@Service
public class DatabaseService {
private Connection connection;
@PostConstruct
public void init() {
connection = createConnection();
System.out.println("Database connection established");
}
@PreDestroy
public void cleanup() {
closeConnection(connection);
System.out.println("Database connection closed");
}
}
@Service
public class CacheService implements InitializingBean, DisposableBean {
private Map cache;
@Override
public void afterPropertiesSet() {
cache = new HashMap<>();
System.out.println("Cache initialized");
}
@Override
public void destroy() {
cache.clear();
System.out.println("Cache cleared");
}
}
@Component
public class LoggingBeanPostProcessor implements BeanPostProcessor {
@Override
public Object postProcessBeforeInitialization(Object bean, String beanName) {
System.out.println("Before initialization of " + beanName);
return bean;
}
@Override
public Object postProcessAfterInitialization(Object bean, String beanName) {
System.out.println("After initialization of " + beanName);
return bean;
}
}
Issue | Solution |
---|---|
Initialization order issues | Use @DependsOn or implement Ordered interface |
Resource cleanup not happening | Ensure proper shutdown hook registration |
Post processor not working | Check bean registration order |
Understanding and properly managing bean lifecycle is crucial for building robust Spring applications. Choose the appropriate lifecycle management approach based on your application's needs.
Remember to handle resource cleanup properly and consider the order of initialization when beans depend on each other.