在Eclipse
中,我收到了一个我不理解的警告Resource leak: 'ps' is not closed at this location
。
在我的Java
代码中,我将"ps"声明为Prepared Statement,并多次使用(和关闭)它。然后我有以下序列:
try {
if(condition) {
ps = c.prepareStatement("UPDATE 1 ...");
} else {
ps = c.prepareStatement("UPDATE 2 ...");
}
ps.executeUpdate();
} catch (SQLException e) {
// exception handling
} finally {
if (null != ps)
try {
ps.close();
} catch (SQLException e) {
// exception handling
};
}
"资源泄漏"-警告出现在else部分的"更新"-声明中。如果在启动try块之前设置了ps = null
,则不会出现任何警告。
如果第二个UPDATE语句被注释掉,则不会显示任何警告。
这是一个理解问题还是java/eclipse问题?
如果出现此警告,则表示您使用的是Java 7。在这种情况下,您不应该关闭自己实现AutoClosable
的资源。您应该在try
语句的特殊初始化部分初始化这些资源。注释:
// decide which update statement you need:
// (your if should be here)
String update = ....;
try (
ps = c.prepareStatement(update);
) {
// use prepared statement here.
} catch (SQLException) {
// log your exception
throw new RuntimeException(e);
}
// no finally block is needed. The resource will be closed automatically.
我确实不知道为什么if/else
语句的存在会导致警告出现或消失。但是java7推荐了我上面描述的使用可自动关闭资源的方法,所以请尝试一下。
我认为,这是您正在使用的检查器的问题。
将代码分解为initialization
和use
块。另外,从初始化块中抛出异常(或提前返回)。这样,在use
块之后释放资源时就不需要检查null
// initialization
// Note that ps is declared final.
// I think it will help to silence your checker
final PreparedStatement ps;
try {
if( bedingungen ... ) {
ps = c.prepareStatement("UPDATE 1 ...");
} else {
ps = c.prepareStatement("UPDATE 2 ...");
}
}
catch (SQLException e) {
log.error("Problem creating prepared statement, e );
throw e;
}
// use
try {
ps.executeUpdate();
} catch (SQLException e) {
log.error("Problem decrementing palets on " + srcElement.getName() +
": " + e.getMessage());
}
finally {
try {
ps.close();
} catch (SQLException e) {
log.warn("Error closing PreparedStatement: " + e.getMessage());
};
}
将变量名从c改为mC。我认为使用c作为变量名时出现了一个奇怪的故障。感谢Charlie