Difference between revisions of "Connect MySQL to ASP.Net Web App"
(→Getting the data) |
|||
Line 39: | Line 39: | ||
Finally I created this method to get the connection: | Finally I created this method to get the connection: | ||
<syntaxhighlight lang=c#> | <syntaxhighlight lang=c#> | ||
− | public MySqlConnection GetConnection { | + | public MySqlConnection GetConnection |
+ | { | ||
get | get | ||
{ | { |
Revision as of 19:40, 8 October 2024
Install MySQL.Data
Using the Nuget Package Manager install the following:
- MySql.Data;
- MySql.Data.MySqlClient;
Creating the connection
Now using the page you want to connect, open the Model `cs` code.
At the top add the following
using MySql.Data;
using MySql.Data.MySqlClient;
Just for this example we will be retrieving the details from the user table, so I created this class to store each record:
public class User
{
public string username { get; set; }
public string password { get; set; }
public int status { get; set; }
}
Next I created a list of User to store the retrieved data:
public static List<User> users = new List<User>();
I have also created this string for the connection string:
string connection = "server=localhost;user=root;database=test;port=3306;password=usbw;";
Finally I created this method to get the connection:
public MySqlConnection GetConnection
{
get
{
return new MySqlConnection(connection);
}
}
Getting the data
Now, in the constructor method I have added the following code:
public IndexModel(ILogger<IndexModel> logger)
{
_logger = logger;
using var connection = GetConnection; // this gets the connection
connection.Open(); // you must open the connection
using var Command = new MySqlCommand("SELECT * FROM test;", connection ); // you can add your SQL into a command
using var reader = Command.ExecuteReader(); // you execute the query
while (reader.Read())
{
User temp = new User(); // create user
temp.username = reader.GetString(0);
temp.password = reader.GetString(1);
temp.status = reader.GetInt32(2);
users.Add(temp); // add user to list
}
}