package org.kodejava.jdbc;
import java.sql.*;
public class GetGeneratedKeyExample {
private static final String URL = "jdbc:mysql://localhost/kodejava";
private static final String USERNAME = "root";
private static final String PASSWORD = "";
public static void main(String[] args) {
try (Connection connection =
DriverManager.getConnection(URL, USERNAME, PASSWORD)) {
// The orders table have an ID column which value will be auto
// generated by database. When inserting a new record a new id
// for the primary key will be generated, and we will get the
// generated key, so we can use it in another process. For
// instance if we have a master detail tables where the details
// table required an id from the master table.
String sql = "INSERT INTO purchase_order (username, order_date) " +
"VALUES ('foobar', '2021-09-25')";
Statement stmt = connection.createStatement();
// When executing the statement we can pass the
// Statement.RETURN_GENERATED_KEYS so that we can later extract
// the generated key from the result set object returned by
// this method.
stmt.executeUpdate(sql, Statement.RETURN_GENERATED_KEYS);
ResultSet keys = stmt.getGeneratedKeys();
int lastKey = 1;
while (keys.next()) {
lastKey = keys.getInt(1);
}
System.out.println("Last Key: " + lastKey);
} catch (SQLException e) {
e.printStackTrace();
}
}
}
The structure of purchase_order
table.
CREATE TABLE `purchase_order` (
`id` bigint(20) unsigned NOT NULL AUTO_INCREMENT,
`username` varchar(50) NOT NULL,
`order_date` datetime NOT NULL,
PRIMARY KEY (`id`)
) ENGINE=InnoDB;
Maven dependencies
<!-- https://search.maven.org/remotecontent?filepath=mysql/mysql-connector-java/8.0.28/mysql-connector-java-8.0.28.jar -->
<dependency>
<groupId>mysql</groupId>
<artifactId>mysql-connector-java</artifactId>
<version>8.0.28</version>
</dependency>
Latest posts by Wayan (see all)
- How do I convert Map to JSON and vice versa using Jackson? - June 12, 2022
- How do I find Java version? - March 21, 2022
- How do I convert CSV to JSON string using Jackson? - February 13, 2022