Sling Academy
Home/Kotlin/Executing SQL Statements with JDBC in Kotlin

Executing SQL Statements with JDBC in Kotlin

Last updated: November 30, 2024

When working with databases in a Kotlin application, the Java Database Connectivity (JDBC) API provides a client-server architecture to connect to a database and execute queries or updates. This guide will walk you through executing SQL statements using JDBC in Kotlin.

Step 1: Setting Up Your Kotlin Project

First, make sure you have a Kotlin project set up. You can use tools like IntelliJ IDEA, which provides excellent support for Kotlin development. You will need to include the JDBC driver for your specific database type. We'll use a SQLite database in this example.

dependencies {
    implementation("org.xerial:sqlite-jdbc:3.36.0.3")
}

Step 2: Establishing a Connection

Next, you need to establish a connection to your database. This is typically done by invoking the DriverManager.getConnection() method along with the database URL.

import java.sql.Connection
import java.sql.DriverManager
import java.sql.SQLException

fun getConnection(): Connection? {
    return try {
        val url = "jdbc:sqlite:sample.db"
        DriverManager.getConnection(url)
    } catch (e: SQLException) {
        println(e.message)
        null
    }
}

Step 3: Creating and Executing SQL Statements

Once a connection is established, you can create a statement and execute it. Let's start with a simple SQL CREATE TABLE statement.

fun createTable(connection: Connection) {
    val sql = """
        CREATE TABLE IF NOT EXISTS users (
            id INTEGER PRIMARY KEY,
            name TEXT NOT NULL,
            email TEXT NOT NULL
        );
    """

    connection.createStatement().use { statement ->
        statement.execute(sql)
        println("Table created or already exists.")
    }
}

Step 4: Inserting Data

Data can be inserted into a table using a SQL INSERT statement. To avoid SQL injection, it's best to use prepared statements for inserting data.

fun insertUser(connection: Connection, name: String, email: String) {
    val sql = "INSERT INTO users(name, email) VALUES(?, ?)"

    connection.prepareStatement(sql).use { statement ->
        statement.setString(1, name)
        statement.setString(2, email)
        statement.executeUpdate()
        println("User inserted: $name")
    }
}

Step 5: Querying the Database

You can query the database using the SELECT statement to retrieve data.

fun getUsers(connection: Connection) {
    val sql = "SELECT id, name, email FROM users"
    connection.createStatement().use { statement ->
        val resultSet = statement.executeQuery(sql)

        while (resultSet.next()) {
            println("ID: "+resultSet.getInt("id"))
            println("Name: "+resultSet.getString("name"))
            println("Email: "+resultSet.getString("email"))
            println("---")
        }
    }
}

Step 6: Updating and Deleting Records

Updating records is much like inserting them, using an UPDATE statement. For deleting records, use the DELETE statement.

fun updateUserEmail(connection: Connection, userId: Int, newEmail: String) {
    val sql = "UPDATE users SET email = ? WHERE id = ?"

    connection.prepareStatement(sql).use { statement ->
        statement.setString(1, newEmail)
        statement.setInt(2, userId)
        statement.executeUpdate()
        println("User updated: ID $userId")
    }
}

fun deleteUser(connection: Connection, userId: Int) {
    val sql = "DELETE FROM users WHERE id = ?"

    connection.prepareStatement(sql).use { statement ->
        statement.setInt(1, userId)
        statement.executeUpdate()
        println("User deleted: ID $userId")
    }
}

With this step-by-step guide, you can effectively execute SQL statements using JDBC within your Kotlin applications. Make sure to handle database connections responsibly, closing them in a finally block or using Kotlin's use extension function to ensure resources are released after operations are complete.

Next Article: Kotlin: How to Use Prepared Statements for Safe Database Access

Previous Article: Kotlin: Connecting to Relational Databases Using JDBC

Series: Kotlin - Interacting with Databases

Kotlin

You May Also Like

  • How to Use Modulo for Cyclic Arithmetic in Kotlin
  • Kotlin: Infinite Loop Detected in Code
  • Fixing Kotlin Error: Index Out of Bounds in List Access
  • Setting Up JDBC in a Kotlin Application
  • Creating a File Explorer App with Kotlin
  • How to Work with APIs in Kotlin
  • What is the `when` Expression in Kotlin?
  • Writing a Script to Rename Multiple Files Programmatically in Kotlin
  • Using Safe Calls (`?.`) to Avoid NullPointerExceptions in Kotlin
  • Chaining Safe Calls for Complex Operations in Kotlin
  • Using the Elvis Operator for Default Values in Kotlin
  • Combining Safe Calls and the Elvis Operator in Kotlin
  • When to Avoid the Null Assertion Operator (`!!`) in Kotlin
  • How to Check for Null Values with `if` Statements in Kotlin
  • Using `let` with Nullable Variables for Scoped Operations in Kotlin
  • Kotlin: How to Handle Nulls in Function Parameters
  • Returning Nullable Values from Functions in Kotlin
  • Safely Accessing Properties of Nullable Objects in Kotlin
  • How to Use `is` for Nullable Type Checking in Kotlin