日食中的资源泄漏警告

2022-09-02 22:30:22

在我收到一个我不明白的警告。EclipseResource leak: 'ps' is not closed at this location

在我的代码中,我将“ps”声明为预准备语句,并且我多次使用它(并关闭)。然后我有以下顺序:Java

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
        };
}

“资源泄漏”警告出现在其他部分中的“更新”语句中。如果我在开始尝试块之前设置,则没有警告。ps = null

如果第二个 UPDATE 语句被注释掉,则不会显示任何警告。

这是一个理解还是java /eclipse问题?


答案 1

如果您有此警告,则您使用的是 Java 7。在这种情况下,不应关闭自己实现的资源。您应该在 statementcommented 的特殊初始化部分中初始化这些资源:AutoClosabletry

// 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.

我确实不知道为什么声明的存在会导致警告出现或消失。但是java 7推荐了我上面描述的自动可关闭资源的方法,所以试试这个。if/else


答案 2

我认为,这是您正在使用的检查器的问题。

将代码分解为 和 块。另外,从初始化块中抛出异常(或执行早期返回)。这样,在块后释放资源时,无需检查 nullinitializationuseuse

// 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());
    };
}

推荐