我需要从DB2表中提取数据,对每个返回的行运行一些处理并输出到平面文件。我正在使用iBatis,但发现使用 queryForList 我开始出现内存错误,我将会看到100k +行的数据增加。
我已经考虑使用 queryWithRowHandler ,但iBatis RowHandler 界面不会引发异常从其 handleRow 函数,如果它出错,我无法正确报告它并停止迭代其余的数据。看起来我可以抛出一个RuntimeException,但这不会让我感觉像是一种干净利落的做事方式。
我希望能够在抛出一个有意义的异常时停止处理,指示数据操作,文件访问或其他方面是否发生了错误。
有没有人有过这种方法的经验,或者有使用iBatis的替代解决方案。我知道我可以在没有iBatis的情况下做这个,只使用JDBC,但由于iBatis用于我的应用程序中的所有其他数据库访问,我希望尽可能利用这种架构。
答案 0 :(得分:3)
1)使用签名中的已检查异常创建您自己的RowHandler接口:
public interface MySpecialRowHandler {
public void handleRow(Object row)
throws DataException, FileException, WhateverException;
}
2)从SqlMapDaoTemplate继承(甚至更好,delegate)以添加一个新方法,该方法将使用签名中的相同异常来管理您自己的处理程序:
public class MySpecialTemplate extends SqlMapDaoTemplate {
...
public void queryWithRowHandler(String id,
final MySpecialRowHandler myRowHandler
) throws DataException, FileException, WhateverException {
// "holder" will hold the exception thrown by your special rowHandler
// both "holder" and "myRowHandler" need to be declared as "final"
final Set<Exception> holder = new HashSet<Exception>();
this.queryWithRowHandler(id,new RowHandler() {
public void handleRow(Object row) {
try {
// your own row handler is executed in IBatis row handler
myRowHandler.handleRow(row);
} catch (Exception e) {
holder.add(e);
}
}
});
// if an exception was thrown, rethrow it.
if (!holder.isEmpty()) {
Exception e = holder.iterator().next();
if (e instanceof DataException) throw (DataException)e;
if (e instanceof FileException) throw (FileException)e;
if (e instanceof WhateverException) throw (WhateverException)e;
// You'll need this, in case none of the above works
throw (RuntimeException)e;
}
}
}
3)您的商家代码如下所示:
// create your rowHandler
public class Db2RowHandler implements MySpecialRowHandler {
void handleRow(Object row) throws DataException, FileException, WhateverException {
// what you would have done in ibatis RowHandler, with your own exceptions
}
}
// use it.
MySpecialTemplate template = new MySpecialTemplate(daoManager);
try {
template.queryWithRowHandler("selectAllDb2", new Db2RowHandler());
} catch (DataException e) {
// ...
} catch (FileException e) {
...