这是第一次,当我使用LocalSessionFactoryBean而不是SessionFactory时,我遇到了一个问题:如果我的服务器无法连接到数据库,则@Bean方法会抛出异常并关闭整个应用程序。但这是一个奇怪的事情:异常是抛出AFTER bean方法返回对象。
@Bean
LocalSessionFactoryBean sessionFactory() {
LocalSessionFactoryBean sessionFactoryBean = new LocalSessionFactoryBean();
sessionFactoryBean.setDataSource(getDataSource());
sessionFactoryBean.setPackagesToScan(Properties.hibernate.packages);
sessionFactoryBean.setHibernateProperties(databaseSettings.getHibernateProperties());
return sessionFactoryBean;
}
所以try-catch在这里不起作用。当Spring初始化bean时,它自己运行sessionFactoryBean.afterPropertiesSet()方法。所以在那个时候异常就是抛出。毕竟我有下一个日志:
org.springframework.beans.factory.BeanCreationException:
Error creating bean with name 'sessionFactory' defined in class path resource [app/db/Hibernate.class]:
Invocation of init method failed; nested exception is
org.hibernate.exception.GenericJDBCException: Unable to open JDBC Connection for DDL execution
在这种情况下处理数据库连接错误的最佳方法是什么?
答案 0 :(得分:1)
观察到的行为对我来说完全是逻辑。您问题中提供的代码仅在内部配置SessionFactory
。一旦返回结果LocalSessionFactoryBean
(并被其他代码片段使用),就会尝试实际连接您以这种方式配置的数据库。
如果配置的DataSource
- 通过getDataSource()
获得 - 在建立(第一个)连接时遇到错误,您将按照说明点击org.hibernate.exception.GenericJDBCException
。
注意:有关详细信息,您必须提供更多的堆栈跟踪。
作为对策,您可以添加以下"连接检查"返回之前的上面的代码片段:
@Bean
LocalSessionFactoryBean sessionFactory() {
LocalSessionFactoryBean sessionFactoryBean = new LocalSessionFactoryBean();
DataSource ds = getDataSource();
sessionFactoryBean.setDataSource(ds);
sessionFactoryBean.setPackagesToScan(Properties.hibernate.packages);
sessionFactoryBean.setHibernateProperties(databaseSettings.getHibernateProperties());
// conduct an early connection attempt which auto-closes the opened connection
try (Connection con = ds.getConnection(username, password)) {
// if you reach this line, connections to the DB can be established.
return sessionFactoryBean;
} catch (Exception ex {
// handle exceptions with one or more of these steps
// 1. log the problem to somewhere, console...
// 2. re-try connection attempt?
// 3. escalate by throwing a self-defined RuntimeException
// .. and shutdown the application in controlled manner?
}
}
有关参考,请参阅Oracle的Connecting with DataSource Objects指南。
提示:您还可以考虑使用" PooledDataSource"原因很多(详见上述数据源指南)。
希望它有所帮助。