1

在处理连接池时,我们通常有以下代码:

connection c = pool.borrow();
try {
    business-logic-using-connection(c);
}
catch(connectionException e) {
    connectionBad = true;
} 
finally{
    if (connectionBad) {
        pool.evict(c);
    } else {
       pool.return(c);
    }
 }

问题是如何使这个样板代码更简单,以便可以执行以下操作:

getConnectionAndDoWork(pool, business-logic-code)

人们可以在其中插入他们的业务逻辑,而不必在整个地方重复相同的连接管理代码。一种方法是为业务逻辑代码创建一个接口,例如doWorkWithConnection它需要一个连接并做一些工作。但是,这限制了应该返回的业务逻辑代码;

在Java中有更好的方法吗?

4

2 回答 2

2

使用像 Spring 用于程序化事务管理的回调模式。

interface PooledConnectionCallback<T> {
  T doWithConnection(Connection c);
}

Pool pool = new Pool(poolParams);
Integer returnedValue = pool.execute(
  new PooledConnectionCallback<Integer>() {
    public Integer doWithConnection(Connection c) {
      int someReturnValue = businessLogicUsingConnection(c);
      return someReturnValue;
    }});

在该Pool#execute方法中,您可以拥有处理异常和清理所需的样板代码。

于 2012-07-21T05:52:39.573 回答
0

如果您使用的是 Spring,请考虑使用 JdbcTemplate 或 NamedParameterJdbcTemplate:

http://static.springsource.org/spring/docs/3.1.x/javadoc-api/org/springframework/jdbc/core/JdbcTemplate.html

http://static.springsource.org/spring/docs/3.1.x/javadoc-api/org/springframework/jdbc/core/namedparam/NamedParameterJdbcTemplate.html

即使您不使用 Spring,您仍然可以使用相同的基本模板方法模式。只是谷歌“模板方法”。有很多关于它的文章。

于 2012-07-21T06:06:43.907 回答