Closing database connections in Java Closing database connections in Java java java

Closing database connections in Java


When you are done with using your Connection, you need to explicitly close it by calling its close() method in order to release any other database resources (cursors, handles, etc.) the connection may be holding on to.

Actually, the safe pattern in Java is to close your ResultSet, Statement, and Connection (in that order) in a finally block when you are done with them. Something like this:

Connection conn = null;PreparedStatement ps = null;ResultSet rs = null;try {    // Do stuff    ...} catch (SQLException ex) {    // Exception handling stuff    ...} finally {    if (rs != null) {        try {            rs.close();        } catch (SQLException e) { /* Ignored */}    }    if (ps != null) {        try {            ps.close();        } catch (SQLException e) { /* Ignored */}    }    if (conn != null) {        try {            conn.close();        } catch (SQLException e) { /* Ignored */}    }}

The finally block can be slightly improved into (to avoid the null check):

} finally {    try { rs.close(); } catch (Exception e) { /* Ignored */ }    try { ps.close(); } catch (Exception e) { /* Ignored */ }    try { conn.close(); } catch (Exception e) { /* Ignored */ }}

But, still, this is extremely verbose so you generally end up using an helper class to close the objects in null-safe helper methods and the finally block becomes something like this:

} finally {    DbUtils.closeQuietly(rs);    DbUtils.closeQuietly(ps);    DbUtils.closeQuietly(conn);}

And, actually, the Apache Commons DbUtils has a DbUtils class which is precisely doing that, so there isn't any need to write your own.


It is always better to close the database/resource objects after usage.Better close the connection, resultset and statement objects in the finally block.

Until Java 7, all these resources need to be closed using a finally block. If you are using Java 7, then for closing the resources, you can do as follows.

try(Connection con = getConnection(url, username, password, "org.postgresql.Driver");    Statement stmt = con.createStatement();    ResultSet rs = stmt.executeQuery(sql);) {    // Statements}catch(....){}

Now, the con, stmt and rs objects become part of try block and Java automatically closes these resources after use.


It is enough to close just Statement and Connection. There is no need to explicitly close the ResultSet object.

Java documentation says about java.sql.ResultSet:

A ResultSet object is automatically closed by the Statement object that generated it when that Statement object is closed, re-executed, or is used to retrieve the next result from a sequence of multiple results.


Thanks BalusC for comments: "I wouldn't rely on that. Some JDBC drivers fail on that."