How to SELECT data from a MySQL database using C#
A guide on how to use C# to query data from a MySQL database table using Prepared Statements with multiple parameters for safe and efficient data retrieval.
In this article, you will learn how to connect to a MySQL database and use Prepared Statements in C# to execute a SELECT query with multiple parameters, allowing you to safely retrieve data from a table in the database.
using System;
using MySql.Data.MySqlClient;
namespace MySQLSelectExample
{
class Program
{
static void Main(string[] args)
{
// MySQL database connection information
string connectionString = "server=localhost;user=root;password=password;database=test_db";
using (MySqlConnection conn = new MySqlConnection(connectionString))
{
try
{
// Open the connection
conn.Open();
// SELECT statement with Prepared Statement
string query = "SELECT * FROM students WHERE age = @age AND city = @city";
using (MySqlCommand cmd = new MySqlCommand(query, conn))
{
// Assign values to the parameters
cmd.Parameters.AddWithValue("@age", 20);
cmd.Parameters.AddWithValue("@city", "Hanoi");
using (MySqlDataReader reader = cmd.ExecuteReader())
{
// Loop through the query results and display them
while (reader.Read())
{
Console.WriteLine($"ID: {reader["id"]}, Name: {reader["name"]}, Age: {reader["age"]}, City: {reader["city"]}");
}
}
}
}
catch (Exception ex)
{
Console.WriteLine($"Error: {ex.Message}");
}
finally
{
// Close the connection
conn.Close();
}
}
}
}
}
Detailed explanation:
using MySql.Data.MySqlClient
: Imports theMySql.Data.MySqlClient
library to work with MySQL.string connectionString = ...
: The connection string containing the necessary information to connect to the MySQL database.using (MySqlConnection conn = new MySqlConnection(connectionString))
: Creates the MySQL connection object.conn.Open()
: Opens the connection to the database.string query = "SELECT * FROM students WHERE age = @age AND city = @city"
: The SELECT query with@age
and@city
as parameters.cmd.Parameters.AddWithValue(...)
: Assigns values to the parameters.using (MySqlDataReader reader = cmd.ExecuteReader())
: Executes the SELECT query and retrieves the data.while (reader.Read())
: Iterates through each row of data in the query result.Console.WriteLine(...)
: Displays the data.conn.Close()
: Closes the connection.
System Requirements:
- .NET Framework or .NET Core
- MySQL library:
MySql.Data
How to install the libraries needed to run the C# code above:
Use the NuGet Package Manager to install the MySQL library:
Install-Package MySql.Data
Tips:
- Always use Prepared Statements to prevent SQL injection attacks.
- Double-check your connection string for accuracy to ensure a successful connection.