Introduction to JDBC

JDBC, known formally as Java Database Connectivity, is a standard application programming interface (API) that enables seamless interaction between Java applications and relational databases. It abstracts the complexities of underlying database implementations by allowing developers to write database-independent code. Instead of interacting directly with distinct database protocols or proprietary client libraries, the developer utilizes the JDBC interfaces, while the database vendor provides a driver that conforms to the JDBC specification.
JDBC’s importance stems from its portability and its integration within the broader Java ecosystem. Applications that employ JDBC can connect to different relational databases with minimal adjustments, often limited to the driver and connection URL. This ensures that developers can focus on SQL statements and result processing rather than the specifics of network protocols or proprietary APIs. Moreover, many Java frameworks, including Spring and Hibernate, rely on JDBC at their core, making a thorough understanding of these interfaces valuable for advanced development and troubleshooting.
This blog will examine the essential elements of JDBC, beginning with an explanation of how to include drivers and establish database connections. It will discuss the distinctions between various JDBC classes and interfaces, including Connection
, Statement
, PreparedStatement
, and ResultSet
. It will then explore the steps involved in creating and interacting with database tables, along with the best practices surrounding statements, resource management, and SQL injection prevention.
To demonstrate these features, the blog will employ the H2 database as a primary resource for examples and exercises. H2 is an embedded database that can operate entirely in memory, thereby eliminating the need to install or configure an external database engine. This approach is particularly convenient for learners and for environments where rapid setup and teardown of test data are priorities. H2 also supports a file-based mode, which allows data generated during an in-memory session to be persisted and retrieved across different runs of the same application.
Subsequent sections will provide detailed code snippets and explanations to illustrate how to incorporate the H2 driver, connect to either in-memory or file-based databases, and perform the standard data operations that are fundamental to a wide range of Java applications. By the conclusion of this blog, readers will possess a foundational understanding of JDBC that can be readily applied to other relational database systems.
JDBC Drivers and Driver Types
A JDBC driver is a software component that allows a Java application to communicate with a specific relational database. When the application invokes operations through the JDBC API, the driver translates these generic instructions into database-specific commands and handles the transmission of data over the network or through other communication channels. By abstracting the underlying database protocol, a JDBC driver enables developers to switch databases with minimal code changes and to write applications that focus on SQL statements and result handling.
JDBC drivers are commonly classified into four distinct types. Type 1 drivers rely on the JDBC-ODBC bridge and are seldom used today because of their dependency on the native ODBC implementation. Type 2 drivers include native API components that must be installed on the local system, leading to partial use of Java code alongside database-specific native libraries. Type 3 drivers act as a network protocol intermediary, in which Java code on the client side communicates with a middleware server that, in turn, interacts with the database. Type 4 drivers, also referred to as thin drivers, are implemented entirely in Java. A Type 4 driver contains no native code and speaks the database’s protocol directly over the network, making it highly portable.
The H2 database provides a Type 4 JDBC driver. This design choice offers several advantages, particularly for development and testing. Because the driver is entirely written in Java, it integrates seamlessly within any Java environment without requiring separate native libraries. This characteristic also makes distribution simpler: as long as the H2 driver’s JAR file is on the classpath, developers can run H2 in either in-memory or file-based modes and can perform SQL operations just as they would with any other relational database.
JDBC Architecture
The JDBC architecture organizes the interaction between a Java application and a relational database system into a structured sequence of components. At a high level, the application first issues method calls on the JDBC API, which serves as the standardized interface for all database operations. These calls pass through DriverManager
, a central class in the Java Standard Edition library that maintains a registry of available JDBC drivers. Upon receiving a request, DriverManager
selects the appropriate driver based on the connection URL and credentials. The selected driver then facilitates communication with the actual database over a network or through an embedded connection, translating generic JDBC calls into the protocol required by the target database system.
A concrete example helps clarify this process. When a Java program calls DriverManager.getConnection()
, it provides a database-specific URL, often including parameters such as a host address, port number, and optional credentials. DriverManager
scans through its registered drivers in the order they were loaded. Once it finds a driver capable of handling the given URL, it delegates the connection request to that driver. The driver then handles all subsequent operations—such as sending SQL statements and receiving results—on behalf of the application.
Several core classes and interfaces define how developers interact with the JDBC architecture. A Connection
object represents an active link to the database. With this connection in place, the developer typically obtains a Statement
or PreparedStatement
to execute SQL queries. Both interfaces can submit SQL statements to the database, but PreparedStatement
is more robust when dealing with parameters and preventing SQL injection. For stored procedures or more advanced database operations, CallableStatement
is available. Results from SELECT
queries are returned in the form of a ResultSet
, which allows the application to iterate through rows of data and extract column values. Collectively, these classes constitute the primary way in which Java code interacts with any JDBC-compliant database.
When working with the H2 database, this general architecture remains the same, but the details of the connection URL reflect H2’s flexibility. The driver is loaded by referencing the class name org.h2.Driver
, which can be done either implicitly (by placing the H2 JAR file on the classpath and relying on the Service Provider mechanism) or explicitly (using Class.forName("org.h2.Driver")
). In order to connect to H2 in an in-memory mode, one may specify a URL like jdbc:h2:mem:testdb
, which creates a transient database named “testdb” for the duration of the JVM session. Alternatively, a file-based connection can be configured with a URL such as jdbc:h2:./data/testdb
, resulting in a file named testdb.mv
.db
stored within the data
directory, preserving any data written to it even after the application terminates. These connection URL formats demonstrate H2’s adaptability: developers can switch between a purely in-memory environment—well-suited for testing and demonstration—and a file-based environment that persists data across different runs of the same application.
Setting Up the Environment for H2
A practical first step when working with the H2 database is acquiring the appropriate driver and ensuring your Java application can locate and load it. The H2 driver is distributed as a single JAR file, typically named something like h2-x.x.x.jar
, which can be downloaded from the official H2 Database website (download).
Once you have the driver, place the JAR file in a convenient directory and reference it in your Java classpath. When compiling and running a simple Java application without a build tool, you can specify the path to the JAR on the command line. On Windows, classpath entries are separated by semicolons, so you might have commands similar to the following:
javac -cp .;C:\path\to\h2-x.x.x.jar MyJDBCExample.java
java -cp .;C:\path\to\h2-x.x.x.jar MyJDBCExample
In these commands, .
indicates the current working directory, while C:\path\to\h2-x.x.x.jar
points to where the H2 JAR is actually located on your file system. On Linux and macOS, you replace semicolons with colons, so the procedure would look like:
javac -cp .:/home/user/libs/h2-x.x.x.jar MyJDBCExample.java
java -cp .:/home/user/libs/h2-x.x.x.jar MyJDBCExample
After including the H2 JAR on your classpath, you can begin experimenting with in-memory and file-based database connections. The simplest route is to rely on an in-memory database, which keeps all data in memory and disappears when the Java process terminates. By default, you can specify a URL in the form jdbc:h2:mem:testdb
, where “testdb” is an arbitrary identifier. This URL ensures that no files are created on disk; any data you insert, modify, or delete will remain accessible only as long as the application runs.
If you wish to extend the lifespan of an in-memory database through multiple connections within the same application, you may append DB_CLOSE_DELAY=-1
to the URL, resulting in something like jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1
. Adding this parameter instructs H2 to keep the database alive until the entire JVM process exits, rather than closing and discarding its data as soon as the last connection is closed. Although this strategy is convenient for certain use cases—such as test frameworks that open and close connections repeatedly—it still does not preserve data across application restarts.
To persist data beyond a single run of the application, you can switch from mem:
to a file-based URL. The typical syntax for a file-based connection is jdbc:h2:./data/testdb
, which causes H2 to store its contents in a file named testdb.mv
.db
under a directory called data
within your current working directory. This arrangement allows you to shut down the JVM and reopen the same database later, resuming with all previously inserted information intact. You can simply change the URL back to mem:
whenever you desire a purely in-memory database for faster startup and teardown, especially during rapid development or classroom exercises.
Overall, these different modes of operation make H2 a versatile solution for a range of scenarios. You can use it strictly in memory for quick tests and demos, retain its in-memory data for the duration of your Java process by setting DB_CLOSE_DELAY=-1
, or switch to file-based storage when you need your data to endure across application restarts. Each of these approaches leverages the same JDBC driver and the same core JDBC APIs, so you can readily experiment without making significant changes to your code.
Basic Steps in Developing JDBC Applications
Developing a JDBC application generally follows a set of common steps: load or register the driver, establish a database connection, create statements, execute SQL commands (e.g., CREATE, INSERT, SELECT), process any returned results, and finally close all open resources. Below is a complete example that demonstrates these steps using the H2 in-memory database. After the code, additional details explain how to download the H2 driver, place it on the classpath, and compile and run the application on both Windows and Linux systems.
End-to-End Example
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.Statement;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
public class BasicJDBCExample {
public static void main(String[] args) {
// Load the H2 driver (Class.forName may be optional in newer JDBC versions).
try {
Class.forName("org.h2.Driver");
// Connect to an in-memory H2 database.
// DB_CLOSE_DELAY=-1 keeps the database alive until the JVM shuts down.
String url = "jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1";
Connection connection = DriverManager.getConnection(url, "sa", "");
// Create a Statement for simple SQL commands (no parameters).
Statement statement = connection.createStatement();
// Create a table if it doesn't exist.
String createTableSQL = "CREATE TABLE IF NOT EXISTS students "
+ "(id INT PRIMARY KEY, name VARCHAR(255))";
statement.executeUpdate(createTableSQL);
// Insert rows using the Statement (not parameterized).
String insertSQL = "INSERT INTO students (id, name) VALUES (1, 'Alice'), (2, 'Bob')";
statement.executeUpdate(insertSQL);
// Query data and process the results.
String selectSQL = "SELECT id, name FROM students";
ResultSet resultSet = statement.executeQuery(selectSQL);
while (resultSet.next()) {
int id = resultSet.getInt("id");
String name = resultSet.getString("name");
System.out.println("ID: " + id + ", Name: " + name);
}
// Close all resources.
resultSet.close();
statement.close();
connection.close();
} catch (ClassNotFoundException | SQLException e) {
e.printStackTrace();
}
}
}
Downloading the H2 Driver
The H2 driver JAR file can be obtained from the official H2 Database website. After downloading this file, place it in a directory of your choice, for example in C:\libs\h2
on Windows or ~/libs/h2
on Linux.
Compiling and Running on Windows
Open a command prompt or PowerShell window.
Navigate to the directory containing BasicJDBCExample.java.
Compile the Java source file, adding the H2 JAR to your classpath:
javac -cp .;C:\libs\h2\h2-2.1.214.jar BasicJDBCExample.java
Adjust the path and JAR name to match your actual setup. Here,
.
refers to the current directory containing the Java source code, andC:\libs\h2\h2-2.1.214.jar
refers to the location where the H2 JAR resides.Run the compiled program, again adding the H2 JAR to your classpath:
java -cp .;C:\libs\h2\h2-2.1.214.jar BasicJDBCExample
The program should create the in-memory database, insert two records, and display their details on the console.
Compiling and Running on Linux or macOS
Open a terminal window.
Navigate to the directory containing BasicJDBCExample.java.
Compile the Java source file using the H2 JAR on your classpath:
javac -cp .:/home/user/libs/h2/h2-2.1.214.jar BasicJDBCExample.java
Notice that the classpath entries on Linux or macOS are separated by a colon (
:
) instead of a semicolon.Run the compiled program:
java -cp .:/home/user/libs/h2/h2-2.1.214.jar BasicJDBCExample
Verify that the output shows the two student records (ID=1, “Alice” and ID=2, “Bob”).
Explanation of Key Steps
Loading the Driver
The code callsClass.forName("org.h2.Driver")
to ensure the H2 driver is loaded. This step may be optional in recent JDBC versions when the driver is on the classpath, but it remains a reliable practice for older environments.Establishing the Connection
A call toDriverManager.getConnection()
returns aConnection
object. In the example, the URLjdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1
sets up an in-memory database named “testdb.” The parameterDB_CLOSE_DELAY=-1
ensures the database remains available until the Java process ends.Creating a Statement
The application obtains aStatement
from the connection and uses it to execute SQL statements that require no dynamic parameters. If user input or a variable number of parameters is needed, aPreparedStatement
is more appropriate.Executing SQL Commands
executeUpdate()
runs commands such asCREATE TABLE
,INSERT
,UPDATE
, orDELETE
, returning the number of rows affected.executeQuery()
handlesSELECT
statements, returning aResultSet
to iterate through.Processing the Results
TheResultSet
returned byexecuteQuery()
is processed in a loop, with eachnext()
call moving the cursor to the next row. Values are retrieved with methods likegetInt()
andgetString()
.Closing Resources
It is crucial to closeResultSet
,Statement
, andConnection
objects to avoid resource leaks. The try-with-resources construct in modern Java can further simplify this step by automatically closing declared resources.
Following these steps forms the foundation of JDBC development for any relational database. By testing in an in-memory H2 environment, it is possible to rapidly create, query, and modify data without requiring additional software installations, making it a convenient approach for demonstrations or classroom exercises. If longer-term data persistence is needed, changing the URL to a file-based format such as jdbc:h2:./data/testdb
or jdbc:h2:C:/path/to/mydb/testdb
(in Windows) ensures that data can be saved to disk and retrieved across application restarts.
Creating a Table with JDBC
When working with relational databases, Data Definition Language (DDL) commands—such as CREATE TABLE
, ALTER TABLE
, and DROP TABLE
—establish the structure of the data you intend to store. In JDBC, these commands typically execute through a Statement
or a PreparedStatement
. Because DDL statements do not rely on dynamic parameters in most cases, a regular Statement
is sufficient.
Below is an example illustrating how to create a simple table named students
in an H2 database. This example uses the IF NOT EXISTS
syntax, which is supported by H2 to prevent errors if a table already exists.
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.Statement;
import java.sql.SQLException;
public class CreateTableExample {
public static void main(String[] args) {
try {
// Load the H2 driver
Class.forName("org.h2.Driver");
// Connect to the in-memory database with a DB_CLOSE_DELAY parameter
String url = "jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1";
Connection connection = DriverManager.getConnection(url, "sa", "");
// Create a Statement to execute DDL statements
Statement stmt = connection.createStatement();
// Use IF NOT EXISTS to avoid errors if the table already exists
String createTableSQL =
"CREATE TABLE IF NOT EXISTS students (" +
"id INT PRIMARY KEY, " +
"name VARCHAR(255)" +
")";
// Execute the CREATE TABLE statement
stmt.executeUpdate(createTableSQL);
// (Optional) Verify that the table was created:
// Query the INFORMATION_SCHEMA, which contains metadata about all tables, columns, etc.
String verifySQL = "SELECT TABLE_NAME FROM INFORMATION_SCHEMA.TABLES WHERE TABLE_NAME='STUDENTS'";
var resultSet = stmt.executeQuery(verifySQL);
if (resultSet.next()) {
System.out.println("Table 'students' successfully created.");
} else {
System.out.println("Table 'students' not found in INFORMATION_SCHEMA.");
}
// Clean up
resultSet.close();
stmt.close();
connection.close();
} catch (ClassNotFoundException | SQLException e) {
e.printStackTrace();
}
}
}
Explanation and Details
Driver Loading and Connection
The code begins by loading the H2 driver withClass.forName("org.h2.Driver")
, though newer versions of JDBC often load drivers automatically if present on the classpath. AConnection
object is obtained throughDriverManager.getConnection()
, pointing to an in-memory database identified by the URL stringjdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1
. TheDB_CLOSE_DELAY=-1
option keeps the database accessible until the Java Virtual Machine (JVM) terminates, even if the connection is closed earlier in the application.Creating a Statement
The example uses aStatement
to issue a DDL command. Because the SQL statement—CREATE TABLE ...
—does not require any dynamic parameters, there is no need for aPreparedStatement
. AStatement
object is well-suited to this task.Using
IF NOT EXISTS
H2 supports a syntax extension that checks whether the specified table already exists, thus preventing runtime errors from attempting to create an existing table. The full statement is:CREATE TABLE IF NOT EXISTS students ( id INT PRIMARY KEY, name VARCHAR(255) );
This SQL command ensures that if the
students
table is already present, nothing changes, and no error is triggered. Other database systems have different behaviors:MySQL supports a similar
IF NOT EXISTS
clause for table creation.PostgreSQL has a similar feature, introduced in version 9.1 for sequences and 9.5 for tables.
Oracle does not have a native
IF NOT EXISTS
for table creation in older versions, requiring a workaround such as checking for table existence before running the creation command.
Verifying Table Creation
After running a DDL statement, you can validate that the table exists by querying H2’sINFORMATION_SCHEMA
tables, which store metadata about the database schema. In this example, the query checks for the presence of aTABLE_NAME
that matches “STUDENTS.” If it appears, the table has been successfully created; if not, something likely went wrong. Another basic approach is to run a simple query, for exampleSELECT * FROM students
in a try/catch block, to confirm that the table is accessible.Closing Resources
TheStatement
,ResultSet
, andConnection
resources are closed, freeing up any locks or allocated memory. Failing to close these objects can lead to resource leakage over time. Java 7 introduced try-with-resources, a language feature that automates resource closure when a block of code finishes executing, which can reduce boilerplate code and potential errors.
Practice Exercises
To deepen your understanding, you can modify or expand the example:
Create additional tables using various column types, such as
DATE
,TIMESTAMP
, orDECIMAL
. For instance:CREATE TABLE IF NOT EXISTS employees ( employee_id INT PRIMARY KEY, first_name VARCHAR(100), last_name VARCHAR(100), hire_date DATE );
Experiment with constraints beyond
PRIMARY KEY
, such asUNIQUE
andNOT NULL
. Adding constraints allows you to practice error handling when invalid data is inserted.Attempt table creation without
IF NOT EXISTS
and see how the application responds if you run the command a second time. Observe whether an exception is thrown or if nothing changes.
Statements and PreparedStatements
In JDBC, database operations rely on either the Statement
interface or the PreparedStatement
interface. These interfaces enable applications to execute SQL commands such as SELECT
, INSERT
, UPDATE
, and DELETE
. Though they share many similarities, there are important distinctions in how they handle SQL text, particularly around safety, reusability, and performance.
Using Statement
A Statement
object sends static SQL commands to the database. Typically, this involves commands without any dynamic parameters:
Statement stmt = connection.createStatement();
String createTableSQL = "CREATE TABLE IF NOT EXISTS students (id INT PRIMARY KEY, name VARCHAR(255))";
stmt.executeUpdate(createTableSQL);
DDL and Simple Queries
AStatement
is well-suited for Data Definition Language (DDL) statements (CREATE TABLE
,DROP TABLE
,ALTER TABLE
) and straightforward queries that do not require user-supplied parameters. This simplicity makes it convenient for infrequent or one-off SQL statements.Concerns About SQL Injection
If aStatement
includes user input by building the SQL string manually—for example,"SELECT * FROM students WHERE name = '" + userInput + "'"
—it can introduce security vulnerabilities known as SQL injection. Attackers could manipulate the input to execute unintended commands unless you carefully sanitize or validate that input.No Parameter Placeholders
AStatement
object does not include parameter placeholders. Instead, you concatenate values directly into the SQL string. As a result, large volumes of user-supplied data or dynamically constructed SQL can become unwieldy, increasing the risk of errors or injections.
Using PreparedStatement
A PreparedStatement
features parameter placeholders (denoted by ?
) and is typically precompiled by the database. This provides two principal advantages:
SQL Injection Prevention
By inserting values through dedicated methods (e.g.,setInt
,setString
), you ensure that the database treats those values as parameters rather than executable code. This protects the application from SQL injection attacks that can occur when parameters are concatenated into the SQL statement directly.Improved Performance
Because the database can precompile the SQL statement, repeated executions of the same statement (with different parameters) often perform more efficiently. This is especially relevant when you run the same insert or update query many times in quick succession.
Below is a sample snippet demonstrating the creation of a PreparedStatement
and inserting records safely:
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.PreparedStatement;
import java.sql.SQLException;
public class PreparedStatementExample {
public static void main(String[] args) {
try {
Class.forName("org.h2.Driver");
String url = "jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1";
Connection connection = DriverManager.getConnection(url, "sa", "");
// Create table if it doesn't exist
connection.createStatement().executeUpdate(
"CREATE TABLE IF NOT EXISTS students (id INT PRIMARY KEY, name VARCHAR(255))"
);
// Insert records using placeholders
String insertSQL = "INSERT INTO students (id, name) VALUES (?, ?)";
PreparedStatement pstmt = connection.prepareStatement(insertSQL);
// Bind parameter 1 as an integer
pstmt.setInt(1, 1);
// Bind parameter 2 as a string
pstmt.setString(2, "Alice");
// Execute the insertion
pstmt.executeUpdate();
// Insert another row
pstmt.setInt(1, 2);
pstmt.setString(2, "Bob");
pstmt.executeUpdate();
// Close resources
pstmt.close();
connection.close();
} catch (ClassNotFoundException | SQLException e) {
e.printStackTrace();
}
}
}
In this snippet, note the use of ?
placeholders for the id
and name
columns. We supply values to these placeholders through methods like setInt
and setString
, which ensures the database interprets them as literal values rather than executable SQL.
Batch Updates with PreparedStatement
Batch updates allow you to send multiple operations (INSERT, UPDATE, or DELETE) in one go, reducing the overhead of separate round-trips to the database. This technique is particularly useful when inserting large sets of data. Below is an example of how to use batch updates
with PreparedStatement
:
import java.sql.Connection;
import java.sql.DriverManager;
import java.sql.PreparedStatement;
import java.sql.SQLException;
public class BatchExample {
public static void main(String[] args) {
try {
Class.forName("org.h2.Driver");
String url = "jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1";
Connection connection = DriverManager.getConnection(url, "sa", "");
// Create table
connection.createStatement().executeUpdate(
"CREATE TABLE IF NOT EXISTS employees (id INT PRIMARY KEY, name VARCHAR(255))"
);
// Prepare an INSERT statement
String insertSQL = "INSERT INTO employees (id, name) VALUES (?, ?)";
PreparedStatement pstmt = connection.prepareStatement(insertSQL);
// Example data
String[] names = {"Alice", "Bob", "Charlie", "Diana"};
for (int i = 0; i < names.length; i++) {
pstmt.setInt(1, i + 1);
pstmt.setString(2, names[i]);
pstmt.addBatch(); // add INSERT command to the batch
}
// Execute the batch of INSERT commands
int[] updateCounts = pstmt.executeBatch();
System.out.println("Rows affected for each batch statement:");
for (int count : updateCounts) {
System.out.println(count);
}
pstmt.close();
connection.close();
} catch (ClassNotFoundException | SQLException e) {
e.printStackTrace();
}
}
}
In this example, each loop iteration sets id
and name
values and then adds the insertion command to the batch with pstmt.addBatch()
. When we call executeBatch()
, the JDBC driver processes all these insertions together, often resulting in faster performance than executing each command individually.
Practice Exercises
Insert Multiple Records
Using aPreparedStatement
with placeholders, write a loop to insert a list of new students or employees. Experiment with different data types—likeVARCHAR
,INT
, andDATE
—to see how each is handled.Update Records
Modify existing records usingUPDATE
. For example:UPDATE students SET name = ? WHERE id = ?
This can be placed in a
PreparedStatement
, so you can dynamically change the student’s name depending on some condition.Delete Records
Test removing rows viaDELETE
statements. For instance:DELETE FROM students WHERE id = ?
Use a loop or multiple parameter sets to remove selected students, or even try batch updates to delete many rows at once.
Batch Processing
Create a large list of data in memory, then insert it all into a table usingaddBatch()
andexecuteBatch()
. Compare the runtime performance to individualexecuteUpdate()
calls in a loop to observe the difference.
Working with Database Data: The ResultSet
After sending a SELECT
query to the database using a Statement
or PreparedStatement
, the JDBC driver returns a ResultSet
object. The ResultSet
represents a cursor-oriented, tabular data structure that allows you to iterate over rows and retrieve the values of columns. Understanding how to navigate and manipulate a ResultSet
is essential to working effectively with database data in Java.
Retrieving Data
A typical data retrieval operation involves calling executeQuery(...)
on a Statement
or PreparedStatement
:
String selectSQL = "SELECT * FROM students";
ResultSet rs = statement.executeQuery(selectSQL);
Here, rs
points to a ResultSet
that contains the rows matching the query. Initially, the ResultSet
cursor is positioned before the first row, so you must call rs.next
()
to move it forward.
Navigating the ResultSet
The ResultSet
interface provides methods to iterate through the returned rows. The simplest (and most common) approach is to use next()
, which moves the cursor to the next row and returns true
if a row is available:
while (rs.next()) {
int id = rs.getInt("id");
String name = rs.getString("name");
System.out.println("ID: " + id + ", Name: " + name);
}
In this example, we retrieve column values using getInt("columnLabel")
and getString("columnLabel")
. The string arguments match the column names in the table, although you can also use column indices:
int id = rs.getInt(1); // First column
String name = rs.getString(2); // Second column
Column indices begin at 1 rather than 0, which can sometimes cause confusion if you are accustomed to zero-based indexing in Java.
Scrollable and Updatable ResultSet
By default, most drivers return a forward-only, read-only ResultSet
, meaning you can only move the cursor forward from the first row to the last. However, JDBC supports more advanced ResultSet
types that enable scrolling in both directions and updating rows directly. When creating a Statement
, you can specify additional parameters:
Statement stmt = connection.createStatement(
ResultSet.TYPE_SCROLL_INSENSITIVE,
ResultSet.CONCUR_UPDATABLE
);
TYPE_SCROLL_INSENSITIVE
indicates that theResultSet
supports scrolling backward and forward without reflecting changes made by others.TYPE_SCROLL_SENSITIVE
similarly allows scrolling, but may reflect certain types of changes from concurrent transactions.CONCUR_UPDATABLE
indicates the capability to modify column values in theResultSet
directly.
Below is a brief snippet demonstrating a scrollable ResultSet
:
try (Statement stmt = connection.createStatement(
ResultSet.TYPE_SCROLL_INSENSITIVE,
ResultSet.CONCUR_READ_ONLY)) {
ResultSet rs = stmt.executeQuery("SELECT id, name FROM students");
// Move to the last row
rs.last();
int lastRowId = rs.getInt("id");
System.out.println("ID at the last row: " + lastRowId);
// Move back to the first row
rs.first();
int firstRowId = rs.getInt("id");
System.out.println("ID at the first row: " + firstRowId);
} catch (SQLException e) {
e.printStackTrace();
}
With an updatable ResultSet
(using CONCUR_UPDATABLE
), you can do something like:
try (Statement stmt = connection.createStatement(
ResultSet.TYPE_SCROLL_SENSITIVE,
ResultSet.CONCUR_UPDATABLE)) {
ResultSet rs = stmt.executeQuery("SELECT id, name FROM students");
while (rs.next()) {
if ("Alice".equals(rs.getString("name"))) {
rs.updateString("name", "AliceUpdated");
rs.updateRow(); // Apply the change to the database
}
}
} catch (SQLException e) {
e.printStackTrace();
}
However, note that not all JDBC drivers fully support scrollable or updatable result sets. It is always good practice to consult your specific database driver’s documentation to confirm the level of support.
Closing the ResultSet
Managing the lifecycle of a ResultSet
is crucial to avoid resource leaks and potential database locking issues. Always close the ResultSet
when you finish reading the data. If your code uses a traditional try-catch-finally block, you can close in the finally
:
ResultSet rs = null;
try {
rs = statement.executeQuery("SELECT * FROM students");
while (rs.next()) {
// Process rows
}
} catch (SQLException e) {
// Handle exception
} finally {
if (rs != null) {
try {
rs.close();
} catch (SQLException e) {
// Handle close exception
}
}
}
In Java 7 and above, the try-with-resources statement helps automate closing:
try (ResultSet rs = statement.executeQuery("SELECT * FROM students")) {
while (rs.next()) {
// Process rows
}
} catch (SQLException e) {
e.printStackTrace();
}
Any resources (like the ResultSet
) declared inside the parentheses of a try-with-resources block will be automatically closed at the end of the block, even if an exception occurs.
Practice Exercises
Fetch and Display Data
Modify the SQL query to retrieve specific columns, such asSELECT name FROM students WHERE id > 5
. Loop through the rows, printing each name to the console. Switch between using column names (getString("name")
) and column indices (getString(1)
).Sorting and Filtering
Use anORDER BY
clause in yourSELECT
statement to sort byname
. Experiment with ascending and descending order. Apply aWHERE
clause to filter the results based on certain criteria (e.g., ID ranges or name patterns).Index vs. Name
Practice retrieving columns by both index and name to see how each approach might be more or less convenient, especially if columns are sometimes reordered or renamed.Scrollable ResultSet
Create a scrollableResultSet
and experiment with moving the cursor to the last row, then stepping backward one row at a time usingrs.previous()
. Print out each record to confirm that you can move in both directions.Updatable ResultSet
For advanced exploration, declare aCONCUR_UPDATABLE
ResultSet
and try updating one of the columns in-place. Observe what happens if you move the cursor forward, then backward, and check if the updated data remains visible.
Using H2 in In-Memory Mode with Disk Persistence
H2 is an embedded relational database that can run within the same process as your Java application. Its ability to operate in an in-memory mode—where all data resides in RAM—makes it well-suited for automated tests, temporary demos, and educational scenarios. When data persistence is required, H2 transitions seamlessly to a file-based mode that stores your database on disk. Below are explanations and examples for both Windows and Linux environments, highlighting the minor differences in file paths.
Why Use an In-Memory Database?
An in-memory database is fast because it avoids disk I/O and additional server overhead. Since H2 is embedded, no separate installation is necessary, and your Java application starts and stops the database automatically. This setup is ideal for:
Automated Testing: You can quickly spin up a fresh database, run tests, and discard data afterward.
Demonstrations and Prototypes: In a classroom or proof-of-concept setting, you can start with a blank database for each lesson or experiment, eliminating the cleanup step.
Lightweight Setup: Because the database runs in the same JVM, there are no complex network or configuration requirements.
Keeping Data in Memory: DB_CLOSE_DELAY=-1
By default, an H2 in-memory database is destroyed as soon as all connections are closed or when the JVM exits. If you want to keep the database alive while the application runs, even if you temporarily close your Connection
objects, add the parameter DB_CLOSE_DELAY=-1
to your JDBC URL.
Example (Windows)
jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1
Example (Linux/macOS)
jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1
These URLs look the same on both operating systems. The mem:
prefix instructs H2 to create the database purely in RAM, and testdb
is an arbitrary database name. The option DB_CLOSE_DELAY=-1
ensures the database remains active until the Java process itself ends.
Initializing the Database Automatically: INIT=RUNSCRIPT
You can further configure H2 to run initialization scripts at startup:
jdbc:h2:mem:testdb;DB_CLOSE_DELAY=-1;INIT=RUNSCRIPT FROM 'init.sql'
When the database is created, H2 automatically executes any SQL statements in init.sql
(such as CREATE TABLE students ...
). This feature is platform-agnostic, so the same URL works on both Windows and Linux. Ensure you provide the correct path to the script:
Windows Example
INIT=RUNSCRIPT FROM 'C:/projects/myapp/init.sql'
Linux/macOS Example
INIT=RUNSCRIPT FROM '/home/user/projects/myapp/init.sql'
If you prefer a relative path, you can omit drive letters and simply specify './init.sql'
, provided the script is in the same directory where you run your application.
Switching to File-Based Mode
When you need data to persist beyond a single JVM run, switch from mem:
to file:
. This tells H2 to store database files on disk.
Windows Example
jdbc:h2:file:C:/myproject/data/testdb
Or you can use a relative path from your current working directory:
jdbc:h2:file:./data/testdb
Windows supports either backslashes or forward slashes in path names, but forward slashes (/
) often work more smoothly across different tools.
Linux/macOS Example
jdbc:h2:file:/home/user/myproject/data/testdb
Or a relative path:
jdbc:h2:file:./data/testdb
In these examples, H2 creates (or opens) a file named testdb.mv
.db
in the specified directory. If you run your application again with the same URL, the database will retain any previously inserted data.
Conclusion
Throughout this blog, we have examined the fundamental components of JDBC, from the initial concepts of drivers and driver types through to creating tables, managing statements, and handling query results. We have seen how the JDBC API provides a structured and database-agnostic way for Java applications to interact with different relational systems. In particular, the distinction between Statement
and PreparedStatement
illustrates the importance of both security and performance when working with dynamically generated SQL statements, while the use of ResultSet
and the different concurrency and scrolling options highlights the flexibility available for reading and modifying data.
A central theme in this exploration has been the use of the H2 database, which supports both an in-memory mode for testing and rapid prototyping, and a file-based mode that preserves data for subsequent application runs. By simply adjusting the JDBC URL, we can move from a transitory environment to a more permanent setup without changing the core logic of our code. This approach allows students and developers alike to test new ideas quickly and, when needed, switch to persistent storage for more production-oriented scenarios. As a result, H2 serves as an illustrative and highly practical tool for learning database operations in a Java context.
With these core concepts in hand—driver configuration, connection management, statement execution, result processing, and H2 configuration—you can build and refine data-driven Java applications that scale to more robust databases such as MySQL, PostgreSQL, or Oracle. Adhering to best practices in resource management and security ensures that such applications remain both efficient and safe. By extending the examples covered here and incorporating them into your own projects, you can gain deeper insights into JDBC’s capabilities and confidently develop programs that meet a wide range of data handling requirements.
Subscribe to my newsletter
Read articles from Jyotiprakash Mishra directly inside your inbox. Subscribe to the newsletter, and don't miss out.
Written by

Jyotiprakash Mishra
Jyotiprakash Mishra
I am Jyotiprakash, a deeply driven computer systems engineer, software developer, teacher, and philosopher. With a decade of professional experience, I have contributed to various cutting-edge software products in network security, mobile apps, and healthcare software at renowned companies like Oracle, Yahoo, and Epic. My academic journey has taken me to prestigious institutions such as the University of Wisconsin-Madison and BITS Pilani in India, where I consistently ranked among the top of my class. At my core, I am a computer enthusiast with a profound interest in understanding the intricacies of computer programming. My skills are not limited to application programming in Java; I have also delved deeply into computer hardware, learning about various architectures, low-level assembly programming, Linux kernel implementation, and writing device drivers. The contributions of Linus Torvalds, Ken Thompson, and Dennis Ritchie—who revolutionized the computer industry—inspire me. I believe that real contributions to computer science are made by mastering all levels of abstraction and understanding systems inside out. In addition to my professional pursuits, I am passionate about teaching and sharing knowledge. I have spent two years as a teaching assistant at UW Madison, where I taught complex concepts in operating systems, computer graphics, and data structures to both graduate and undergraduate students. Currently, I am an assistant professor at KIIT, Bhubaneswar, where I continue to teach computer science to undergraduate and graduate students. I am also working on writing a few free books on systems programming, as I believe in freely sharing knowledge to empower others.