Click here to Skip to main content
15,883,901 members
Articles / Database Development / MySQL

MySqlExpress - Simplifies the Usage of MySQL in C#/.NET

Rate me:
Please Sign up or sign in to vote.
5.00/5 (5 votes)
7 Dec 2022CPOL5 min read 10.4K   243   21   7
Accelerate the Development with MySQL in C#
MySqlExpress aims to encourage rapid application development and simplified the implementation of MySQL in C#.

Image 1

Introduction

MySqlExpress consists of two parts.

The first part is the C# class library of MySqlExpress. It introduces some "shortcuts" as to simplify the execution of tasks related to MySQL.

To begin with, download the source code and add the class file "MySqlExpress.cs" into your project, or add the referrence of the project of MySqlExpress into your project or install the Nuget package of MySqlExpress into your project.

The second part is a software called "MySqlExpress Helper.exe". The main function of this software is to generate C# class objects, which will be explained in detail below. This small program can be downloaded either in this article or at Github Release section. I'll refer to this small program as the "Helper App" for the rest of this article.

MySqlExpress is built on top of MySqlConnector (MIT) library. If you wish to use another connector or provider, you can download the source code and compile it with your favorite connector.

Before Start

As usual, to begin coding with MySQL, first add the following using statement to allow the usage of MySqlconnector (MIT) library.

C#
using MySqlConnector;

In this article, let's assume that we store the MySQL connection string as a static field. For example:

C#
public class config
{
    public static string ConnString = 
        "server=localhost;user=root;pwd=1234;database=test;";
}

Hence, we can obtain the connection string anywhere in the project as below:

C#
config.ConnString

Here is the standard MySQL connection code block:

C#
using (MySqlConnection conn = new MySqlConnection(config.ConnString))
{
    using (MySqlCommand cmd = new MySqlCommand())
    {
        cmd.Connection = conn;
        conn.Open();

        // execute queries

        conn.Close();
    }
}

Declare a new MySqlExpress object to start using:

C#
using (MySqlConnection conn = new MySqlConnection(config.ConnString))
{
    using (MySqlCommand cmd = new MySqlCommand())
    {
        cmd.Connection = conn;
        conn.Open();

        MySqlExpress m = new MySqlExpress(cmd);

        // perform queries

        conn.Close();
    }
}

The standard MySQL connection code block shown above can be saved into Visual Studio toolbox bar. So, next time, whenever you need this code block, you can drag and drop from the toolbox bar.

Image 2

Now the code block is saved at the toolbox.

Image 3

Next time, whenever you need the code block, just drag it from the toolbox into the text editor.

Image 4

Let's Start - Using MySqlExpress

  1. Start Transaction, Commit, Rollback
  2. Getting Rows of Objects from MySQL Table
  3. Getting a Customized Object Structure
  4. Getting a single value (ExecuteScalar<T>)
  5. Save (v1.7) - Saving Objects
  6. Insert Row (Save Data)
  7. Update Row (Update Data)
  8. Insert Update
  9. Generate Like String
  10. Execute a SQL statement

1. Start Transaction, Commit and Rollback

C#
using (MySqlConnection conn = new MySqlConnection(config.ConnString))
{
    using (MySqlCommand cmd = new MySqlCommand())
    {
        cmd.Connection = conn;
        conn.Open();

        MySqlExpress m = new MySqlExpress(cmd);

        try
        {
            m.StartTransaction();

            // perform lots of queries
            // action success

            m.Commit();
        }
        catch
        {
            // Error occur

            m.Rollback();
        }

        conn.Close();
    }
}

There are a few benefits of using TRANSACTION in MySQL.

If you perform 1000 queries (mainly refers to INSERT, UPDATE and DELETE), they will be executed one by one, which takes a lots of time.

By using TRANSACTION + COMMIT, all 1000 queries will all be executed at once. This saves a lots of disk operation time.

Sometimes, there are chains of operations which involves multiple tables and rows. Without transaction, if there is any bad thing or error occurs in the middle of the process, the whole operation will be terminated half way, resulting in partial or incomplete data saving - which would be problematic to fix the data. Hence, TRANSACTION can prevent such a thing from happening. With transaction, the whole chain of operation will be cancelled.

ROLLBACK means cancel. Discard all queries that are sent during the TRANSACTION period.

Read more about transaction at this link.

2. Getting Rows of Objects from MySQL Table

Assume that, we have a MySQL table like this:

SQL
CREATE TABLE `player` (
`id` int unsigned NOT NULL AUTO_INCREMENT,
`code` varchar(10),
`name` varchar(300),
`date_register` datetime,
`tel` varchar(100),
`email` varchar(100),
`status` int unsigned,
PRIMARY KEY (`id`));

Create a new class:

C#
public class obPlayer
{
   
}

There are 3 modes of creating the class object.

First Mode: Private Fields + Public Properties

Run the Helper app.

Image 5

Paste it into the newly created class:

C#
public class obPlayer
{
    int id = 0;
    string code = "";
    string name = "";
    DateTime date_register = DateTime.MinValue;
    string tel = "";
    string email = "";
    int status = 0;

    public int Id { get { return id; } set { id = value; } }
    public string Code { get { return code; } set { code = value; } }
    public string Name { get { return name; } set { name = value; } }
    public DateTime DateRegister { get { return date_register; } set { date_register = value; } }
    public string Tel { get { return tel; } set { tel = value; } }
    public string Email { get { return email; } set { email = value; } }
    public int Status { get { return status; } set { status = value; } }
}

The purpose using this combination (private fields + public properties):

Private fields are used to match the columns' name of MySQL table and map the data.

Public properties are used to convert the naming of the fields into C# Coding Naming Convertions, which is PascalCase:

Read more about [C# Coding Naming Conventions]

The MySQL column's naming conventions uses lower case and underscore to separate words.

Read more about [MySQL Naming Conventions]

The symbol of "_" (underscore) is considered less typing friendly than using just latin characters.

Therefore, converting the field name to PacalCase will align with the C# naming conventions and also increase the typing speed.

2nd Mode: Public Properties

Image 6

Paste the text into the class:

C#
public class obPlayer
{
    public int id { get; set; }
    public string code { get; set; }
    public string name { get; set; }
    public DateTime date_register { get; set; }
    public string tel { get; set; }
    public string email { get; set; }
    public int status { get; set; }
}

Third Mode: Public Fields

Image 7

Paste it into the class:

C#
public class obPlayer
{
    public int id = 0;
    public string code = "";
    public string name = "";
    public DateTime date_register = DateTime.MinValue;
    public string tel = "";
    public string email = "";
    public int status = 0;
}

Next, the code of getting a single row of "Player" object.

C#
// declare the object
obPlayer p = null;

// parameterize the values
var dicParam = new Dictionary<string, object>();
dicParam["@vid"] = 1;

p = m.GetObject<obPlayer>($"select * from player where id=@vid;", dicParam);

Getting a list of objects (get multiple rows from a MySQL table):

C#
List<obPlayer> lst = null;

// parameterize the values
var dicParam = new Dictionary<string, object>();
dicParam["@vname"] = "%adam%";

lst = m.GetObjectList<obPlayer>($"select * from player where name like @vname;",
    dicParam);

3. Getting a Customized Object Structure

One of the typical examples is multiple SQL JOIN statement. For example:

SQL
select a.*, b.`year`, c.name 'teamname', c.code 'teamcode', c.id 'teamid'
from player a
inner join player_team b on a.id=b.player_id
inner join team c on b.team_id=c.id;

The output table structure is customized.

To create a non-standardized table's object structure, open the Helper program. Key in the customized SQL JOIN statement.

Image 8

Create the class object:

C#
public class obPlayerTeam
{
   
}

Paste the text into the class:

C#
public class obPlayerTeam
{
    int id = 0;
    string code = "";
    string name = "";
    DateTime date_register = DateTime.MinValue;
    string tel = "";
    string email = "";
    int status = 0;
    int year = 0;
    string teamname = "";
    string teamcode = "";
    int teamid = 0;

    public int Id { get { return id; } set { id = value; } }
    public string Code { get { return code; } set { code = value; } }
    public string Name { get { return name; } set { name = value; } }
    public DateTime DateRegister { get { return date_register; } set { date_register = value; } }
    public string Tel { get { return tel; } set { tel = value; } }
    public string Email { get { return email; } set { email = value; } }
    public int Status { get { return status; } set { status = value; } }
    public int Year { get { return year; } set { year = value; } }
    public string Teamname { get { return teamname; } set { teamname = value; } }
    public string Teamcode { get { return teamcode; } set { teamcode = value; } }
    public int Teamid { get { return teamid; } set { teamid = value; } }
}

Getting the customized table object:

C#
// declare the object
List<obPlayerTeam> lst = null;

// parameterized the value
var dicParam = new Dictionary<string, object>();
dicParam["@vname"] = "%adam%";

lst = m.GetObjectList<obPlayerTeam>(@"select a.*, b.`year`,
    c.name 'teamname', c.code 'teamcode', c.id 'teamid'
    from player a inner join player_team b on a.id=b.player_id
    inner join team c on b.team_id=c.id
    where a.name like @vname;", dicParam);

4. Getting a Single Value (ExecuteScalar<T>)

C#
MySqlExpress m = new MySqlExpress(cmd);

// int
int count = m.ExecuteScalar<int>("select count(*) from player;");

// datetime
DateTime d = m.ExecuteScalar<DateTime>("select date_register from player where id=2;");

// string
string name = m.ExecuteScalar<string>("select name from player where id=1;");

Getting single value with parameters:

C#
MySqlExpress m = new MySqlExpress(cmd);

// parameters
var dicParam1 = new Dictionary<string, object>();
dicParam1["@vname"] = "%adam%";

var dicParam2 = new Dictionary<string, object>();
dicParam2["@vid"] = 1;

// int
int count = m.ExecuteScalar<int>("select count(*) from player where name like @vname;",
    dicParam1);

// datetime
DateTime d = m.ExecuteScalar<DateTime>("select date_register from player where id=@vid;",
    dicParam2);

// string
string name = m.ExecuteScalar<string>("select name from player where id=@vid;",
    dicParam2);

5. Save (v1.7) - Saving Objects

A combination of "INSERT" and "UPDATE". This method will first attempt to perform an INSERT. If the primary key of the data has already existed in MySQL table, then it will perform an UPDATE.

C#
// Syntax
m.Save(tablename, class);
m.SaveList(tablename, List<class>);

// Example:

// Saving single object
m.Save("player", player);

// Saving list of objects
m.SaveList("player", lstPlayer);

6. Insert Row (Save Data)

Performs INSERT by using dictionary.

Note:

The dictionary values will be inserted as parameterized values

Image 9

The field "id" is a primary key, auto-increment field. Therefore, we don't need to insert data for this field.

Delete the following line from the block:

C#
dic["id"] =

Continue to fill in the data and perform the INSERT:

Obtain the LAST INSERT ID:

C#
Dictionary<string, object> dic = new Dictionary<string, object>();

dic["code"] = "AA001";
dic["name"] = "John Smith";
dic["date_register"] = DateTime.Now;
dic["tel"] = "1298343223";
dic["email"] = "john_smith@mail.com";
dic["status"] = 1;

m.Insert("player", dic);

// Get the last insert id
int newid = m.LastInsertId;

7. Update Row (Update Data)

Performs UPDATE by using dictionary.

Note:

The dictionary values will be inserted as parameterized values

For updating table that has one primary key. The parameters:

C#
m.Update(tablename, dictionary, primary key column name, id);

Image 10

Remove the 1st dictionary entry:

C#
dic["id"] =

Paste it at the code block, fill the value and execute the Update command:

C#
Dictionary<string, object> dic = new Dictionary<string, object>();

dic["code"] = "AA001";
dic["name"] = "John Smith";
dic["date_register"] = DateTime.Now;
dic["tel"] = "1298343223";
dic["email"] = "john_smith@mail.com";
dic["status"] = 1;

m.Update("player", dic, "id", 1);

For updating table that has multiple primary keys or multiple reference column. The parameters:

C#
m.Update(tablename, dictionary data, dictionary reference data);

Example:

C#
// data
Dictionary<string, object> dic = new Dictionary<string, object>();
dic["code"] = "AA001";
dic["name"] = "John Smith";
dic["date_register"] = DateTime.Now;
dic["tel"] = "1298343223";
dic["email"] = "john_smith@mail.com";
dic["status"] = 1;

// update condition / referrence column data
Dictionary<string, object> dicCond = new Dictionary<string, object>();
dicCond["year"] = 2022;
dicCond["team_id"] = 1;

m.Update("player_team", dic, dicCond);

8. Insert Update

Note:

The dictionary values will be inserted as parameterized values

This is especially useful when the table has multiple primary keys and no auto-increment field.

Insert > if the primary keys do not exist

Update it > if the primary keys exist

First, generate the dictionary entries:

Image 11

Next, generate the update column list:

Image 12

Paste it at the code block and runs the Insert Update method:

C#
List<string> lstUpdateCol = new List<string>();

lstUpdateCol.Add("team_id");
lstUpdateCol.Add("score");
lstUpdateCol.Add("level");
lstUpdateCol.Add("status");

// data
Dictionary<string, object> dic = new Dictionary<string, object>();

dic["year"] = 2022;
dic["player_id"] = 1;
dic["team_id"] = 1;
dic["score"] = 10m;
dic["level"] = 1;
dic["status"] = 1;

m.InsertUpdate("player_team", dic, lstUpdateCol);

9. Generate Like String

C#
string name = "James O'Brien";

// parameters
Dictionary<string, object> dicParam = new Dictionary<string, object>();
dicParam["@vname"] = m.GetLikeString(name);

List<obPlayer> lst = null;

lst = m.GetObjectList<obPlayer>(
    "select * from player where name like @vname;", dicParam);

10. Execute a Single SQL statement

C#
var dicParam = new Dictionary<string, object>();
dicParam["@vName"] = "James O'Brien";
dicParam["@vCode"] = "AA001";

m.Execute("delete from player where name=@vName or code=@vCode;",
    dicParam);

Happy coding!

History

  • 8th December, 2022: Initial version
  • ....
  • 8th January, 2023: Added new features. Fix some bugs. Improve demo project. Release of v1.7.2

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Software Developer
Other Other
Programming is an art.

Comments and Discussions

 
QuestionMy vote of 5 Pin
PabloMarianoC12-Dec-22 7:28
professionalPabloMarianoC12-Dec-22 7:28 
AnswerRe: My vote of 5 Pin
adriancs12-Dec-22 14:29
mvaadriancs12-Dec-22 14:29 
GeneralRe: My vote of 5 Pin
PabloMarianoC13-Dec-22 2:30
professionalPabloMarianoC13-Dec-22 2:30 
GeneralRe: My vote of 5 Pin
adriancs13-Dec-22 3:47
mvaadriancs13-Dec-22 3:47 
GeneralMy vote of 5 Pin
Carl Edwards In SA8-Dec-22 17:53
professionalCarl Edwards In SA8-Dec-22 17:53 
QuestionI wish I had had this years ago! Pin
Carl Edwards In SA8-Dec-22 17:52
professionalCarl Edwards In SA8-Dec-22 17:52 
AnswerRe: I wish I had had this years ago! Pin
adriancs8-Dec-22 20:23
mvaadriancs8-Dec-22 20:23 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.