我正在尝试从ResultSet转换为CachedRowSet/CachedRowSetImpl。填充方法后,ResultSet似乎为空,但CachedRowSet也是。我一直在各地搜索,尝试使用不同的方法(包括Factory)。下面是一个代码片段,其中指示了正在发生的事情。

class ResultSetMapper implements RowMapper<CachedRowSet>{
    @Override
    public CachedRowSet map(ResultSet rs, StatementContext ctx) throws SQLException {
        //CachedRowSet crs = RowSetProvider.newFactory().createCachedRowSet();
        System.out.println(rs.getLong("something")); -> This gets printed
        CachedRowSetImpl crs = new CachedRowSetImpl();
        crs.populate(rs);
        System.out.println(crs.getInt("something"); -> ArrayIndexOutOfBoundsException (mostly -1, sometimes returning 0)
        System.out.println(rs.getLong("something")); -> This doesn't get printed
        System.out.println(crs.size()); -> 0
        return crs;
    }
}


对于这个问题的任何帮助或见解将不胜感激!

编辑:通过一些调试,我发现CachedRowSet不为空。 RowSetMD.colCount =3。它也有正确的标签。这不会改变问题,但是可以确保我不会在空对象上调用吸气剂。这使得问题更加难以掌握

最佳答案

CachedRowSet::populate方法从ResultSet读取所有行。此时,不再可能调用rs.next()。您应该使用csr.next()

class ResultSetMapper implements RowMapper<CachedRowSet>{
    @Override
    public CachedRowSet map(ResultSet rs, StatementContext ctx) throws SQLException {
        CachedRowSet crs = RowSetProvider.newFactory().createCachedRowSet();
        crs.populate(rs);
        while (csr.next()) {
            System.out.println(crs.getInt("something"));
        }
        // ...
        return null;
    }
}

10-08 13:43