本文共 1330 字,大约阅读时间需要 4 分钟。
JDBC数据库编程的时候,通常使用ResultSet的话,但数据库连接关闭后,就不能读取值了。为了使得数据库连接关闭后依然能够读取值,就需要吧ResultSet中的值转到一变量中。本文提供2种方式。
一种是使用类型List<Map<String, Object>>
代码如下:
- rs = pstmt.executeQuery();
-
- ResultSetMetaData rsm = rs.getMetaData();
-
- List<Map<String, Object>> result = new ArrayList<Map<String, Object>>();
- while (rs.next()) {
- Map<String, Object> map = new TreeMap<String, Object>();
- for (int index = 1; index <= rsm.getColumnCount(); index++) {
- map.put(rsm.getColumnName(index), rs.getObject(index));
- }
- result.add(map);
- }
------------------------------
然后遍历的时候只需要提供列名就可以了。
- for(Map<String, Object> item:l)
- {
- System.out.print(item.get("id"));
- System.out.print(item.get("name"));
- System.out.print(item.get("age"));
- System.out.println();
- }
还有一种使用CachedRowSetImpl类,此类的文档在http://docs.oracle.com/cd/E17824_01/dsc_docs/docs/jscreator/apis/rowset/com/sun/rowset/CachedRowSetImpl.html#populate(java.sql.ResultSet)。
此类的使用也很简单,调用populate方法就可以从ResultSet中获得数据。
- rs = pstmt.executeQuery();
- CachedRowSetImpl crs = new CachedRowSetImpl();
- crs.populate(rs);
- return crs;
遍历的时候:
- while (crs.next()) {
- System.out.print(crs.getObject("id"));
- System.out.print(crs.getObject("name"));
- System.out.print(crs.getObject("age"));
- System.out.println();
- }
-------------------------------------
在使用此类的时候,发现一个问题Eclipse无法找到这个类,因此也无法自动的import。解决办法是在build path中,删除JRE后重新Add一次就OK了。不知道为什么会有这个问题。
转载地址:http://ktafo.baihongyu.com/