How to DELETE data from a MySQL database using Golang
A guide on how to connect and delete data from a table in a MySQL database using the Golang programming language.
In this article, you'll learn how to connect to a MySQL database and use Golang to perform a DELETE query, allowing you to remove data from a specific table within the database.
package main
import (
"database/sql"
"fmt"
"log"
_ "github.com/go-sql-driver/mysql"
)
func main() {
// Connect to the MySQL database
db, err := sql.Open("mysql", "root:password@tcp(127.0.0.1:3306)/test_db")
if err != nil {
log.Fatal(err)
}
defer db.Close()
// Prepared DELETE statement
stmt, err := db.Prepare("DELETE FROM students WHERE id = ? OR age = ?")
if err != nil {
log.Fatal(err)
}
defer stmt.Close()
// Execute the DELETE statement with multiple parameters
res, err := stmt.Exec(1, 22)
if err != nil {
log.Fatal(err)
}
// Check how many rows were deleted
rowsAffected, err := res.RowsAffected()
if err != nil {
log.Fatal(err)
}
fmt.Printf("%d rows were deleted.\n", rowsAffected)
}
Detailed explanation:
sql.Open("mysql", "root:password@tcp(127.0.0.1:3306)/test_db")
: Connects to the MySQL database using the specified user, password, and address details.db.Prepare("DELETE FROM students WHERE id = ? OR age = ?")
: Creates a Prepared Statement for the DELETE query with two parametersid
andage
.stmt.Exec(1, 22)
: Executes the DELETE statement using the parameter valuesid = 1
andage = 22
.res.RowsAffected()
: Retrieves the number of rows that were deleted and prints the result.
System Requirements:
- Golang 1.16 or higher
- Library:
github.com/go-sql-driver/mysql
How to install the libraries needed to run the Golang code above:
Use the following command to install the MySQL driver library:
go get -u github.com/go-sql-driver/mysql
Tips:
- Always use Prepared Statements to prevent SQL Injection.
- Validate input parameters carefully before executing DELETE statements.