1

我正在使用javax.sql.rowset.JdbcRowSetcom.sun.rowset.JdbcRowSetImpl操作数据。一切正常,但我收到警告说我可能会遇到资源泄漏。

此外,我在始终打开的 JdbcRowSet 构造函数中使用单例连接,但是当我使用 JdbcRowSet 时,close()我无法在下一个方法中使用它。

这是代码。

public static Connection conn = DBConnection.getInstance()
        .getConnection();



(not the exact work, only a sample code)
private static void function1() {

    try {
        JdbcRowSet myrs = new JdbcRowSetImpl(conn);
        myrs.setCommand("SELECT * FROM `table1`");
        myrs.execute();

        //result iteration

        myrs.close();
    } catch (SQLException e) {
        e.printStackTrace();
    }
}
private static void function2() {
    same as function1 (for example, not really important here)
}

public static void start(){
    function1();
    function2();
}

当它开始执行myrs时,function2()我收到一个错误:

at com.sun.rowset.JdbcRowSetImpl.execute(Unknown Source)

任何人都知道如何解决它?

4

1 回答 1

2

这是 close 的 JdbcRowSetImpl 实现

public void close() throws SQLException {
    if (rs != null)
        rs.close();
    if (ps != null)
        ps.close();
    if (conn != null)
        conn.close();
}

由于 JdbcRowSetImpl.close() 将关闭连接,因此适合您当前架构的最佳方式可能是创建一个 JdbcRowSet 成员或实例单例,当您希望连接被分类时,它会关闭。您的 function1 和 function2 看起来像这样

public static Connection conn = DBConnection.getInstance()
    .getConnection();
//Implementation of DBRowSet left as an exercise for the ambitious.
public static JdbcRowSet myrs =  DBRowSet.getInstance(); 

private static void function1() {
    try {
        myrs.setCommand("SELECT * FROM `table1`");
        myrs.execute();
        //result iteration
    } catch (SQLException e) {
        e.printStackTrace();
    }
}
private static void function2() {
    try {
        myrs.setCommand("SELECT * FROM `table2`");
        myrs.execute();
        //result iteration
    } catch (SQLException e) {
        e.printStackTrace();
    }
}
于 2013-09-06T14:57:59.677 回答