• Stars
    star
    105
  • Rank 326,737 (Top 7 %)
  • Language
    C#
  • Created almost 8 years ago
  • Updated almost 2 years ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

ASP.NET Core 5.0 Web Application using MySQL with Entity Framework

MySQL ASP.NET 5.0

  • Note: .NET 7 version is in progress on branch dotnet-7.0, pending resolution of issues.
  • Note: Microsoft SQL Server (MSSQL) now runs on Mac / Linux via Docker, and may be considered as a viable cross platform solution.
  • Note: MySQL via Pomelo data adapter is functional, and a viable alternative to Oracle's adapters used here.
  • Note: PostgreSQL alternative version is also available, with .NET 7 update complete.

Convert an ASP.NET Core Web Application project to use MySQL with Entity Framework, enabling development on macOS, linux, or Windows targets using IDEs such as VS Code, Visual Studio, or JetBrains Rider.

This project uses .NET 5.0 target framework, ASP.NET Core Web Application (Model-View-Controller) project scaffold from Visual Studio 2019 (version 16.10.1) to connect to MySQL 8.0.

vscode

For previous versions of .NET Core 3.x, 2.x, 1.x, see the releases for past implementations in this repository.

Quick Start

To immediately use this solution, make sure your environment setup is complete; then, jump to running the solution.

Environment Setup

Make sure you have the .NET 5.0 SDK installed on your system.

If you're using Visual Studio Code, you will need to generate ASP.NET Core developer certificates by issuing the following commands from a terminal:

dotnet dev-certs https --clean
dotnet dev-certs https

For command line database ef commands, you will need to install Entity Framework Core tools .NET CLI:

dotnet tool install --global dotnet-ef

Make sure you have MySQL 8.0 Server installed on your system; or, use a Docker image instead of installing MySQL Server. In a terminal, execute the following to spin up a Docker image of MySQL:

docker run --name mysql -p 3306:3306 -e MYSQL_ROOT_PASSWORD=mypassword -d mysql

Running the solution

Before the solution can be executed, Entity Framework migrations must be run to setup the database.

Configure connection string in project's appsettings.json, replacing the username, password, and database appropriately:

"ConnectionStrings": {
  "DefaultConnection":"server=localhost;userid=myusername;password=mypassword;database=mydatabase;"
},

Execute the migration using either Visual Studio Package Manager Console (from menu: Tools -> NuGet Package Manager -> Package Manager Console):

>> Update-Database

Or, from the command line via DotNet CLI, execute the following command inside the project directory, where the .csproj file is located:

$ dotnet ef database update

After running the migration, the database is created and web application is ready to be run.

Run the solution via your IDE; or, execute the following command line

dotnet run

Then, load via browser to either https or http endpoints:

Project Setup

Project setup has already been completed in this repository, ready for use as a template for your next project.

Otherwise, adapt the steps below to incorporate MySQL into your solution.

Install NuGet packages

Install the MySql.EntityFrameworkCore NuGet package in the ASP.NET web application.

To do this, you can use the dotnet command line by executing:

dotnet add package MySql.EntityFrameworkCore --version 5.0.3.1

Or, edit the project's .csproj file and add the following line in the PackageReference item group:

<PackageReference Include="MySql.EntityFrameworkCore" Version="5.0.3.1" />

Modify Startup.cs

In Startup.cs under ConfigureServices() method, replace the UseSqlServer / UseSqlite option with MySQL:

// This method gets called by the runtime. Use this method to add services to the container.
public void ConfigureServices(IServiceCollection services)
{
    // Add framework services.
    services.AddDbContext<ApplicationDbContext>(options =>
        options.UseMySQL(Configuration.GetConnectionString("DefaultConnection")));

Migration Issues with DbContext

Upon upgrading MySQL Oracle Connector, Entity Framework migrations may fail with the errors:

MySql.Data.MySqlClient.MySqlException (0x80004005): Specified key was too long; max key length is 3072 bytes

MySql.Data.MySqlClient.MySqlException (0x80004005): You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near 'max) NULL, PRIMARY KEY (Id))

Failed executing DbCommand (2ms) [Parameters=[], CommandType='Text', CommandTimeout='30']

CREATE TABLE `AspNetRoles` (
    `Id` TEXT NOT NULL,
    `Name` TEXT NULL,
    `NormalizedName` TEXT NULL,
    `ConcurrencyStamp` TEXT NULL,
    PRIMARY KEY (`Id`)
);

MySql.Data.MySqlClient.MySqlException (0x80004005): BLOB/TEXT column 'Id' used in key specification without a key length

CREATE TABLE `AspNetRoles` (
    `Id` nvarchar(450) NOT NULL,
    `Name` nvarchar(256) NULL,
    `NormalizedName` nvarchar(256) NULL,
    `ConcurrencyStamp` nvarchar(max) NULL,
    PRIMARY KEY (`Id`)
);

MySql.Data.MySqlClient.MySqlException (0x80004005): You have an error in your SQL syntax; check the manual that corresponds to your MySQL server version for the right syntax to use near 'max) NULL,

To resolve this, add the following code within the ApplicationDbContext.cs OnModelCreating().

using Microsoft.AspNetCore.Identity;
using Microsoft.AspNetCore.Identity.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore;

public class ApplicationDbContext : IdentityDbContext
{

    // ...

    protected override void OnModelCreating(ModelBuilder builder)
    {
        base.OnModelCreating(builder);

        builder.Entity<IdentityRole>(entity => entity.Property(m => m.Id).HasMaxLength(450));
        builder.Entity<IdentityRole>(entity => entity.Property(m => m.ConcurrencyStamp).HasColumnType("varchar(256)"));

        builder.Entity<IdentityUserLogin<string>>(entity =>
        {
            entity.Property(m => m.LoginProvider).HasMaxLength(127);
            entity.Property(m => m.ProviderKey).HasMaxLength(127);
        });

        builder.Entity<IdentityUserRole<string>>(entity =>
        {
            entity.Property(m => m.UserId).HasMaxLength(127);
            entity.Property(m => m.RoleId).HasMaxLength(127);
        });

        builder.Entity<IdentityUserToken<string>>(entity =>
        {
            entity.Property(m => m.UserId).HasMaxLength(127);
            entity.Property(m => m.LoginProvider).HasMaxLength(127);
            entity.Property(m => m.Name).HasMaxLength(127);
        });
    }

Then, generate a new migration using Visual Studio Package Manager Console (from menu: Tools -> NuGet Package Manager -> Package Manager Console):

>> Add-Migration

Or, from the command line via DotNet CLI:

$ dotnet ef migrations add CreateIdentitySchema

Troubleshooting

Create Entity Framework Migration Table in MySQL

If running dotnet ef fails initially, the __efmigrationshistory table may not exist. Past versions of Entity Framework migration tools failed to create this table.

Assure you're running the lastest tools:

dotnet tool update --global dotnet-ef

Otherwise, manually create the migrations history table in the MySQL database by executing the following SQL script.

use mydatabase;

CREATE TABLE `mydatabase`.`__EFMigrationsHistory` (
  `MigrationId` text NOT NULL,
  `ProductVersion` text NOT NULL,
  PRIMARY KEY (`MigrationId`(255)));

Deprecated MySQL NuGet Packages

Note that MySql.Data.EntityFrameworkCore NuGet package is deprecated, and is now: MySql.EntityFrameworkCore.

More Repositories

1

postgresql-dotnet-core

ASP.NET 7.0 Web Application using PostgreSQL with Entity Framework
C#
102
star
2

lunarphase-js

Calculate phase of the moon using Julian date
TypeScript
48
star
3

threejs-sveltekit

3D with SvelteKit and Three.js
JavaScript
45
star
4

vite-typescript-npm-package

Vite TypeScript library npm package template
TypeScript
22
star
5

minimalcomps-openfl

OpenFL port of Minimal Components by Keith Peters
Haxe
22
star
6

sqlite-dotnet-core

.NET 7.0 Console Application using SQLite with Entity Framework and Dependency Injection
C#
19
star
7

typescript-npm-package

TypeScript library npm package template
JavaScript
17
star
8

perlin-toolkit

Animated perlin noise textures
ActionScript
15
star
9

minimalcomps-openfl-designer

Exploration of minimalcomps components
Haxe
12
star
10

pixi-graphpaper

Pixi.js ruled graph paper
TypeScript
11
star
11

openfl-haxe-benchmark

Benchmark segments of code across multiple platforms
Haxe
10
star
12

babylonjs-sveltekit

3D with SvelteKit and Babylon.js
JavaScript
9
star
13

swift-prototypes

Swift programming experimental prototypes
Swift
8
star
14

openfl-away3d-terrain-demo

3D terrain demo using OpenFL, Away3D, and Haxe
Haxe
7
star
15

blitting-openfl

Rendering engine and lifecycle pipelines for OpenFL
Haxe
7
star
16

storybook-for-pixi.js

Using Storybook for Pixi.js graphics development
JavaScript
5
star
17

blitting

Rendering engine and lifecycle pipelines
ActionScript
5
star
18

pixi-gauges

Pixi.js gauge visualization components
TypeScript
5
star
19

simplegui-openfl

OpenFL port of SimpleGUI by Justin Windle, built upon MinimalComps
Haxe
3
star
20

Blazor-MAUI-Shared-Components

Reusing shared components between Blazor Web and MAUI apps using a Razor Class Library
HTML
3
star
21

scenekit-roxik-sharikura

Recreation of Roxik Sharikura performance example in SceneKit
Swift
3
star
22

openfl-away3d-actuate-demo

3D tweening demo using OpenFL, Away3D, Actuate, and Haxe
Haxe
3
star
23

threejs-roxik-sharikura

Recreation of Roxik Sharikura performance example in Three.js
JavaScript
2
star
24

storybook-for-threejs

Using Storybook for Three.js graphics development
JavaScript
2
star
25

deck-shuffle

JavaScript
1
star
26

pixi-experiments

Pixi.js experimental prototypes
JavaScript
1
star
27

material-ui-5-boilerplate

Material UI 5 React boilerplate with Redux Toolkit
JavaScript
1
star
28

pixi-rulers

Pixi.js rulers for measurement
JavaScript
1
star
29

unity-roxik-sharikura

Recreation of Roxik Sharikura performance example in Unity 3D
C#
1
star
30

openfl-away3d-roxik-sharikura

Recreation of Roxik Sharikura performance example
Haxe
1
star
31

jasonsturges.github.io

Personal website of Jason Sturges
HTML
1
star
32

jsbench.io

Curated JavaScript performance benchmarks
JavaScript
1
star
33

apple-news-compiler

Apple News format compiler for optimized JSON article
JavaScript
1
star
34

pixi-visualization

Experimental Lerna monorepo of pixi-based packages
TypeScript
1
star
35

sort-contiguous

Contiguous list sorting, similar to macOS Finder sort
TypeScript
1
star
36

babylon-roxik-sharikura

Recreation of Roxik Sharikura performance example in Babylon.js
JavaScript
1
star