如何在jooq中管理DSLContext? (关闭连接)

时间:2015-01-05 05:03:53

标签: java jooq

这是我实现我想要的每个jooq查询的方法。

UtilClass{

 //one per table more or less
 static void methodA(){

  //my method
  Connection con = MySQLConnection.getConexion(); //open
  DSLContext create = DSL.using(con, SQLDialect.MYSQL); //open

  /* my logic and jooq querys */ //The code !!!!!!!

  try {

    if ( con != null )
       con.close(); //close
  } catch (SQLException e) {

  } //close

  con=null; //close
  create=null; //close
 }
}

我在这里过度工作吗? /保持上下文和连接打开是否安全?

如果保持打开是安全的,我宁愿每UtilClass使用1个静态字段DSLContext(只有评论的部分会出现在我的方法上)。我将为每个UtilClass打开一个连接,因为我正在封装每个表的方法(或多或少)。

1 个答案:

答案 0 :(得分:17)

DSLContext通常不是资源,所以你可以保持"打开",即你可以让垃圾收集器为你收集它。

然而,JDBC Connection是一种资源,作为所有资源,您应该始终明确地关闭它。在Java 7+中关闭资源的正确方法是使用try-with-resources语句:

static void methodA() {
    try (Connection con = MySQLConnection.getConexion()) {
        DSLContext ctx = DSL.using(con, SQLDialect.MYSQL); //open

        /* my logic and jooq queries */

        // "ctx" goes out of scope here, and can be garbage-collected
    }   // "con" will be closed here by the try-with-resources statement
 }

More information about the try-with-resources statement can be seen here。另请注意jOOQ tutorial uses the try-with-resources statement when using standalone JDBC connections

DSLContext何时是资源?

上述情况的一个例外是当您让DSLContext个实例管理Connection本身时,例如通过传递连接URL,如下所示:

try (DSLContext ctx = DSL.using("jdbc:url:something", "username", "password")) {
}

在这种情况下,您需要close() DSLContext,如上所示