DEV Community

Daniel Gomez
Daniel Gomez

Posted on

REST API with ASP.NET and MySQL

In this tutorial article, we will learn how to build a web API from ASP.NET to handle CRUD operations with a database in MySQL.

Source code: ASP.NET Web API.

Resources required:

To follow this article step by step or run the included demo, it is necessary to have the following tools in operation:

  • MySQL.
  • .NET SDK.
  • Visual Studio 2019/2022.
  • The web development workload and ASP.NET for Visual Studio 2019/2022.

Process to follow:

In the tutorial, we will have three important parts:

  1. Review the database we are going to use.
  2. Establish database access from ASP.NET through the Entity Framework.
  3. Set the handlers and their methods for the web service.

As a case study for this tutorial, user data will be handled through CRUD (Create, Read, Update, and Delete) operations.

1. The database for the application domain.

The database that we will use in this example is made up of a single table called: User, with the attributes: Id, FirstName, LastName, Username, Password, and EnrrollmentDate; in MySQL.

User Entity

The SQL statements for the creation of the User table is as follows:

CREATE TABLE `user` (
  `Id` INT NOT NULL PRIMARY KEY,
  `FirstName` VARCHAR(45) NOT NULL,
  `LastName` VARCHAR(45) NOT NULL,
  `Username` VARCHAR(45) NOT NULL,
  `Password` VARCHAR(45) NOT NULL,
  `EnrollmentDate` datetime NOT NULL 
);
Enter fullscreen mode Exit fullscreen mode

Very well, with the database established, we can already start with the implementation of our first project for the development of API Rest services.

2. Establish database access from ASP.NET through Entity Framework.

ASP.NET Web API project.

In Visual Studio, the first thing we'll do is create a new project of type ASP.NET Core Web API:

ASP.NET Core Web API project.

Then, in the following steps we can specify the Framework.

Select .NET version in the new project.

With this project, we'll create access to the database and implement a corresponding controller to work with that data and provide the web API.

Database access with Entity Framework.

To establish the entities through classes and the connection of the database, we can use the Database First approach of the Entity Framework, which allows us to scaffolding from the database to the project, that is, generate classes automatically according to the entities established in the database and the connection in the project.

For this purpose, it's necessary to install three NuGet packages:

  • Microsoft.EntityFrameworkCore.Design
  • Microsoft.EntityFrameworkCore.Tools
  • MySql.EntityFrameworkCore

In case you are working with SQL Server, the NuGet package to install will be: Microsoft.EntityFrameworkCore.SQLServer.

Note: to find the admin center of nuGet packages, we can go to the option: menu -> project -> Manage NuGet packages.

Go To Manage NuGet Packages option

With the installation of these NuGet packages, we'll now open the package management console to write a command that will allow us to perform scaffolding from the database:

Option to open Package Manager Console

Command:

Scaffold-DbContext "server=servername;port=portnumber;user=username;password=pass;database=databasename" MySql.EntityFrameworkCore -OutputDir Entities -f
Enter fullscreen mode Exit fullscreen mode

The result is as follows:

C# Entities

Here, the User class is defined as follows:

public partial class User
{
    public int Id { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Username { get; set; }
    public string Password { get; set; }
    public DateTime EnrollmentDate { get; set; }
}
Enter fullscreen mode Exit fullscreen mode

And the DBContext, which has the configuration with the database, whose main method OnConfiguring will look something like this:

protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
{
  if (!optionsBuilder.IsConfigured)
  { optionsBuilder.UseMySQL("server=localhost;port=3306;user=root;password=;database=database");
  }
}
Enter fullscreen mode Exit fullscreen mode

Now, it's not the most appropriate that the connection string to the database is specified in the OnConfiguring method. For this, within our project we can find the appsettings.json file, in which we can define this configuration:

"AllowedHosts": "*",
"ConnectionStrings": {
  "DefaultConnection": "server=servername;port=portnumber;user=username;password=pass;database=databasename;"
}
Enter fullscreen mode Exit fullscreen mode

Then, in the Program class we'll add as a service to the DBContext, and then we must reference the DefaultConnection property specified in the appsettings.json file:

builder.Services.AddEntityFrameworkMySQL()
    .AddDbContext<DBContext>(options =>
    {
        options.UseMySQL(builder.Configuration.GetConnectionString("DefaultConnection"));
    });
                });
Enter fullscreen mode Exit fullscreen mode

In this case, returning to the class of the DBContext, we delete the connection string specified in the OnConfiguring method. At the end we would have the empty method:

protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
{}
Enter fullscreen mode Exit fullscreen mode

With these steps, we have already ready the connection and the necessary configurations to work with the database in ASP.NET with the help of Entity Framework.

3. Set the controllers and their methods for the web service.

In order to transport the data between the processes for the management of the database and the processes for working with web services, it's advisable to establish DTO classes for each entity of the project, in this case, a DTO for the entity User.

To do this, we'll create a new folder within the project called DTO and create a class called UserDTO, whose attributes will be the same as the User class defined in the Entities section above:

public class UserDTO
{
    public int Id { get; set; }
    public string FirstName { get; set; }
    public string LastName { get; set; }
    public string Username { get; set; }
    public string Password { get; set; }
    public DateTime EnrollmentDate { get; set; }
}
Enter fullscreen mode Exit fullscreen mode

Controllers for the Web API.

Now what we'll do is add the controllers, in this case, the controller for the user, which will allow to establish methods to perform CRUD operations on the tables of the database and expose them through the Web API. On the Controllers folder, we'll add a controller called UserController:

Create new Controller option
La definición de la clase y su constructor se verá así:

[ApiController]
[Route("api/[controller]")]
public class UserController : ControllerBase
{
    private readonly DBContext DBContext;

    public UserController( DBContext DBContext)
    {
        this.DBContext = DBContext;
    }
    ...
}
Enter fullscreen mode Exit fullscreen mode

Now, the goal is to perform CRUD operations. In this sense, we'll use methods to access the information (Get), to insert data (Post), to modify (Put) and to delete a record (Delete).

The following is the final code for each of the methods:

A. Get the list of all users registrados.

[HttpGet("GetUsers")]
public async Task<ActionResult<List<UserDTO>>> Get()
{
    var List = await DBContext.User.Select(
        s => new UserDTO
        {
            Id = s.Id,
            FirstName = s.FirstName,
            LastName = s.LastName,
            Username = s.Username,
            Password = s.Password,
            EnrollmentDate = s.EnrollmentDate
        }
    ).ToListAsync();

    if (List.Count < 0)
    {
        return NotFound();
    }
    else
    {
        return List;
    }
}
Enter fullscreen mode Exit fullscreen mode

B. Obtain the data of a specific user according to their Id.

[HttpGet("GetUserById")]
public async Task<ActionResult<UserDTO>> GetUserById(int Id)
{
    UserDTO User = await DBContext.User.Select(
            s => new UserDTO
            {
                Id = s.Id,
                FirstName = s.FirstName,
                LastName = s.LastName,
                Username = s.Username,
                Password = s.Password,
                EnrollmentDate = s.EnrollmentDate
            })
        .FirstOrDefaultAsync(s => s.Id == Id);

    if (User == null)
    {
        return NotFound();
    }
    else
    {
        return User;
    }
}
Enter fullscreen mode Exit fullscreen mode

C. Insert a new user.

[HttpPost("InsertUser")]
public async Task<HttpStatusCode> InsertUser(UserDTO User)
{
    var entity = new User()
    {
        FirstName = User.FirstName,
        LastName = User.LastName,
        Username = User.Username,
        Password = User.Password,
        EnrollmentDate = User.EnrollmentDate
    };

    DBContext.User.Add(entity);
    await DBContext.SaveChangesAsync();

    return HttpStatusCode.Created;
}
Enter fullscreen mode Exit fullscreen mode

D. Update the data of a specific user.

[HttpPut ("UpdateUser")]
public async Task<HttpStatusCode> UpdateUser(UserDTO User)
{
    var entity = await DBContext.User.FirstOrDefaultAsync(s => s.Id == User.Id);

    entity.FirstName = User.FirstName;
    entity.LastName = User.LastName;
    entity.Username = User.Username;
    entity.Password = User.Password;
    entity.EnrollmentDate = User.EnrollmentDate;

    await DBContext.SaveChangesAsync();
    return HttpStatusCode.OK;
}
Enter fullscreen mode Exit fullscreen mode

E. Delete a user based on their Id.

[HttpDelete("DeleteUser/{Id}")]
public async Task<HttpStatusCode> DeleteUser(int Id)
{
    var entity = new User()
    {
        Id = Id
    };
    DBContext.User.Attach(entity);
    DBContext.User.Remove(entity);
    await DBContext.SaveChangesAsync();
    return HttpStatusCode.OK;
}
Enter fullscreen mode Exit fullscreen mode

With these methods and the steps followed up to this point, the web service is ready to run.

Test the implemented web API

To test the implemented API we can use Swagger UI, a visual tool that allows us to interact with the methods of our service, and that in turn is already integrated into our ASP.NET project.

For testing, we need to build and run the application:

Run app

Next, we can see the Swagger interface so that we can perform the corresponding tests according to the methods defined in our controller and in an interactive way:

Swagger UI

As this is a RestFul service, we may use any other program or application to consume these services. For example, here we can see a call to the GetUsers method from the Postman tool:

HTTP Get example

What next?

With this tutorial we have learned step by step how to implement HTTP services that handle user data from ASP.NET, and how to test with these functionalities.

The source code for this example can be viewed from the following repository on GitHub: ASP.NET Web API.

Thanks for reading:

I hope you liked the article. If you have any questions or ideas in mind, it'll be a pleasure to be able to communicate with you and together exchange knowledge with each other.

See you on Twitter / esDanielGomez.com!

Regards!

Top comments (0)