这是Java中的示例代码:

    try {
        /* create connection */
        Connection conn = DriverManager.getConnection(url, username, password);
        Statement stmt = conn.createStatement(ResultSet.TYPE_SCROLL_SENSITIVE, ResultSet.CONCUR_UPDATABLE);

        /* create a CachedRowSet */
        CachedRowSet cachedResult = new com.sun.rowset.CachedRowSetImpl();

        /* set connection information */
        cachedResult.setUrl(url);
        cachedResult.setUsername(username);
        cachedResult.setPassword(password);

        ResultSet result = stmt.executeQuery("SELECT * FROM tbl");

        /* populate CachedRowSet */
        cachedResult.populate(result);

        /* close connection */
        result.close();
        stmt.close();
        conn.close();

        /* now we edit CachedRowSet */
        while (cachedResult.next()) {
            if (cachedResult.getInt("id") == 12) {
                cachedResult.moveToInsertRow();

                /* use some updateXXX() functions */

                cachedResult.insertRow();
                cachedResult.moveToCurrentRow();
            }
        }
    } catch (SQLException e) {
        e.printStackTrace();
}


现在我的问题是这样的:
1.我应该使用insertRow()吗?还是我应该改用acceptChanges()?还是两者都有?
2.我应该在此代码中的acceptChanges()放在哪里?

最佳答案

准备将更改传播到基础数据源时,请调用acceptChanges()。但是,如果要进行许多更新/插入(针对多行),则应在完成所有acceptChanges()updateRow()之后调用insertRow()。原因是当您调用acceptChanges()时,您会建立到数据库的实际连接,这通常会很昂贵。因此,在多行的每个insertRow / updateRow之后每次调用它都是无效的。

在您的代码中,我将在while块结束后放置acceptChanges()。原因是我上面提到的-在对while块中的cacheResult完成所有更新之后,仅使数据库连接一次。

关于java - 我们应该将insertRow()与acceptChanges()一起使用吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/6684753/

10-08 21:20