强烈建议在使用完 JDBC 对象(连接、语句、结果集)后关闭它们。但是,这会产生大量这样的代码:
Connection conn = null;
Statement stm = null;
ResultSet res = null;
try {
// Obtain connection / statement, get results, whatever...
} catch (SQLException e) {
// ...
} finally {
if (res != null) { try { res.close(); } catch (SQLException ignore) {}}
if (stm != null) { try { stm.close(); } catch (SQLException ignore) {}}
if (conn != null) { try { conn.close(); } catch (SQLException ignore) {}}
}
现在我考虑通过实现辅助函数来减少关闭对象的(重复)代码量。它将对象作为参数并尝试close()
使用反射调用每个对象的方法(如果对象确实有这样的方法)。
public void close(Object... objects) {
for (Object object : objects) {
for (Method method : object.getClass().getMethods()) {
if (method.getName().equals("close")) {
try {
method.invoke(object);
} catch (Exception e) {
e.printStackTrace();
}
break; // break on the methods, go for the next object
}
}
}
}
该finally
块可以简化为:
} finally {
close(res, stm, conn);
}
这是一件好事吗?如果不是,原因是什么?有没有更好的办法?