Exercise - Migrations
In this unit, you'll create C# entity classes that will map to tables in a local SQLite database. EF migrations will produce tables from those entities. Migrations provide a way to incrementally update the database schema.
Note
This module uses the .NET CLI (Command Line Interface) and Visual Studio Code for local development. After completing this module, you can apply its concepts using a development environment like Visual Studio (Windows), Visual Studio for Mac (macOS), or continued development using Visual Studio Code (Windows, Linux, & macOS).
This module uses the .NET 6.0 SDK. Ensure that you have .NET 6.0 installed by running the following command in your preferred terminal:
dotnet --list-sdks
Output similar to the following appears:
3.1.100 [C:\program files\dotnet\sdk]
5.0.100 [C:\program files\dotnet\sdk]
6.0.100 [C:\program files\dotnet\sdk]
Ensure that a version that starts with 6 is listed. If none is listed or the command isn't found, install the most recent .NET 6.0 SDK.
Get the starter code
From a terminal, run the following command to clone the starter code repository:
git clone https://github.com/MicrosoftDocs/mslearn-persist-data-ef-coreThe preceding command creates a local copy of the starter code repository. The app manages pizzas, their toppings, and their sauces.
Switch to the
ContosoPizzadirectory in the repository you cloned and open it in Visual Studio Code.cd mslearn-persist-data-ef-core\ContosoPizza code .Review the code:
- The project is an ASP.NET Core web API.
- Services/PizzaService.cs is a service class that defines CRUD (Create, Read, Update, Delete) methods. All the methods currently throw
System.NotImplementedException. - In Program.cs,
PizzaServiceis registered with ASP.NET Core's dependency injection system. - Controllers/PizzaController.cs is an
ApiControllerthat exposes an endpoint for HTTP POST, GET, PUT, and DELETE verbs. These verbs call the corresponding CRUD methods onPizzaService.PizzaServiceis injected intoPizzaController's constructor. - The Models folder contains the models used by
PizzaServiceandPizzaController. - The entity models, Pizza.cs, Topping.cs, and Sauce.cs, have the following relationships:
- A pizza may have one or more toppings.
- A topping may be used on one or many pizzas.
- A pizza may have one sauce, but a sauce may be used on many pizzas.
Open a Visual Studio Code terminal (Ctrl+`). Build the app with the following command:
dotnet buildThe code should build with no warnings or errors.
Add NuGet packages and EF Core tools
Before you start, you need to add the required packages.
From the terminal, run the following command:
dotnet add package Microsoft.EntityFrameworkCore.SqliteThis command adds the NuGet package that contains the EF Core SQLite database provider and all its dependencies, including the common EF Core services.
From the terminal, run the following command:
dotnet add package Microsoft.EntityFrameworkCore.DesignThis command adds packages required for the EF Core tools.
From the terminal, run the following command:
dotnet tool install --global dotnet-efThis command installs
dotnet ef, the tool you'll use to create migrations and scaffolding.Tip
If
dotnet efis already installed, you can update it withdotnet tool update --global dotnet-ef.
Wire up models and DbContext
Now you'll add and configure a DbContext implementation, which will serve as the gateway through which you will interact with the database.
In the project root directory, add a new folder called Data.
In Data directory, create a new file named PizzaContext.cs. Add the following code to the empty file:
using Microsoft.EntityFrameworkCore; using ContosoPizza.Models; namespace ContosoPizza.Data; public class PizzaContext : DbContext { public PizzaContext (DbContextOptions<PizzaContext> options) : base(options) { } public DbSet<Pizza> Pizzas => Set<Pizza>(); public DbSet<Topping> Toppings => Set<Topping>(); public DbSet<Sauce> Sauces => Set<Sauce>(); }In the preceding code:
- The constructor accepts a parameter of type
DbContextOptions<PizzaContext>. This allows external code to pass in the configuration, so the sameDbContextcan be shared between test and production code and even used with different providers. - The
DbSet<T>properties correspond to tables to be created in the database. - The table names will match the
DbSet<T>property names in thePizzaContextclass. This behavior can be overridden if needed. - When instantiated,
PizzaContextwill exposePizzas,Toppings, andSaucesproperties. Changes you make to the collections exposed by those properties will be propagated to the database.
- The constructor accepts a parameter of type
In Program.cs, replace
// Add the PizzaContextwith the following code:builder.Services.AddSqlite<PizzaContext>("Data Source=ContosoPizza.db");The preceding code:
- Registers
PizzaContextwith ASP.NET Core's dependency injection system. - Specifies that
PizzaContextwill use the SQLite database provider. - Defines a SQLite connection string that points to a local file, ContosoPizza.db.
Note
For SQLite, which uses local database files, it's probably okay to hardcode the connection string like this. However, for network databases like PostgreSQL or SQL Server, you should always store your connection strings securely. For local development, use Secret Manager. For production deployments, consider a service like Azure Key Vault.
- Registers
Also in Program.cs, replace
// Additional using declarationswith the following code.using ContosoPizza.Data;The preceding code resolves dependencies in the previous step.
Save all your changes and build the app.
Create and run a migration
You've done all you need to create a migration for creating your initial database.
Run the following command to generate a migration for creating the database tables:
dotnet ef migrations add InitialCreate --context PizzaContextIn the preceding command:
- The migration is given a name of InitialCreate.
- The
--contextoption specifies the name of the class in the ContosoPizza project, which derives fromDbContext.
A new Migrations directory appears in the ContosoPizza project root. The directory contains a <timestamp>_InitialCreate.cs file describing database changes to be translated to a Data Definition Language (DDL) change script.
Run the following command to apply the InitialCreate migration:
dotnet ef database update --context PizzaContextExecution of the preceding command applies the migration. Since ContosoPizza.db doesn't exist, it's created in the project directory.
Tip
The
dotnet eftool is supported on all platforms. In Visual Studio on Windows, it's also possible to use theAdd-MigrationandUpdate-DatabasePowerShell cmdlets in the integrated Package Manager Console window.
Inspect the database
EF Core created a database for your app. Let's take a look inside the database.
In Visual Studio Code, press Ctrl+Shift+X to open the Extensions tab.
In the search box, search for
vscode-sqlite. A community-provided SQLite extension is displayed.Install the extension, if needed.
Press Ctrl+Shift+E to return to the Explorer tab.
Right-click on the ContosoPizza.db file. Select Open Database.
A SQLITE EXPLORER pane opens on the Explorer tab.
Expand the SQLITE EXPLORER pane and all its child nodes. Right-click ContosoPizza.db. Select Show Table 'sqlite_master' to view the full database schema and constraints.
- Tables have been created corresponding to each entity.
- Table names were taken from the names of the
DbSetproperties on thePizzaContext. - Properties named
Idwere inferred to be auto-incrementing primary key fields. - EF Core's primary key and foreign key constraint naming conventions are
PK_<Primary key property>andFK_<Dependent entity>_<Principal entity>_<Foreign key property>, respectively. The<Dependent entity>and<Principal entity>placeholders correspond to the entity class names.
Note
As is true with ASP.NET Core MVC, EF Core adopts a convention over configuration philosophy. EF Core conventions shorten development time by inferring the developer's intent. For example, a property named
Idor<entity name>Idis inferred to be the generated table's primary key. If you choose not to adopt the naming convention, the property must be annotated with the[Key]attribute or configured as a key in theOnModelCreatingmethod of theDbContext.
Change the model and update the database schema
Your manager at Contoso Pizza has given you some new requirements that force you to change your entity models. In the following steps, you're going to modify the models using mapping attributes, sometimes also called "data annotations".
Tip
Instead of mapping attributes, you can use the ModelBuilder fluent API to configure how your models are mapped to the database.
In Models\Pizza.cs, make the following changes:
- Add a
usingdirective forSystem.ComponentModel.DataAnnotations. - Add a
[Required]attribute before theNameproperty to mark the property as required. - Add a
[MaxLength(100)]attribute before theNameproperty to specify a maximum string length of 100.
using System.ComponentModel.DataAnnotations; namespace ContosoPizza.Models; public class Pizza { public int Id { get; set; } [Required] [MaxLength(100)] public string? Name { get; set; } public Sauce? Sauce { get; set; } public ICollection<Topping>? Toppings { get; set; } }- Add a
In Models\Sauce.cs, make the following changes:
- Add a
usingdirective forSystem.ComponentModel.DataAnnotations. - Add a
[Required]attribute before theNameproperty to mark the property as required. - Add a
[MaxLength(100)]attribute before theNameproperty to specify a maximum string length of 100. - Add a
boolproperty namedIsVegan.
using System.ComponentModel.DataAnnotations; namespace ContosoPizza.Models; public class Sauce { public int Id { get; set; } [Required] [MaxLength(100)] public string? Name { get; set; } public bool IsVegan { get; set; } }- Add a
In Models\Topping.cs, make the following changes:
Add
usingdirectives forSystem.ComponentModel.DataAnnotationsandSystem.Text.Json.Serialization.Add a
[Required]attribute before theNameproperty to mark the property as required.Add a
[MaxLength(100)]attribute before theNameproperty to specify a maximum string length of 100.Add a
decimalproperty namedCaloriesimmediately after theNameproperty.Add a
Pizzasproperty of typeICollection<Pizza>?to makePizza-Toppinga many-to-many relationship.Add a
[JsonIgnore]attribute to thePizzasproperty.Note
This is to prevent
Toppingentities from including thePizzasproperty when the web API code serializes the response to JSON. Without this, a serialized collection of toppings would include a collection of every pizza that uses the topping. Each pizza in that collection would contain a collection of toppings, which each would again contain a collection of pizzas. This type of infinite loop is called a circular reference and can't be serialized.
using System.ComponentModel.DataAnnotations; using System.Text.Json.Serialization; namespace ContosoPizza.Models; public class Topping { public int Id { get; set; } [Required] [MaxLength(100)] public string? Name { get; set; } public decimal Calories { get; set; } [JsonIgnore] public ICollection<Pizza>? Pizzas { get; set; } }Save all your changes and build.
Run the following command to generate a migration for creating the database tables:
dotnet ef migrations add ModelRevisions --context PizzaContextA migration named ModelRevisions is created.
> [!NOTE] > The message "An operation was scaffolded that may result in the loss of data. Please review the migration for accuracy." is displayed. This is because we have changed the relationship from `Pizza` to `Topping` from one-to-many to many-to-many, which requires that an existing foreign key column is dropped. This is OK because we don't yet have any data in our database. However, in general it is a good idea to check the generated migration when this warning is displayed to make sure no data is deleted or truncated by the migration.Run the following command to apply the ModelRevisions migration:
dotnet ef database update --context PizzaContextIn the title bar of the SQLITE EXPLORER pane, select the Refresh Databases button.
In the SQLITE EXPLORER pane, right-click ContosoPizza.db. Select Show Table 'sqlite_master' to view the full database schema and constraints.
Important
The SQLite extension will re-use open SQLite tabs.
- A
PizzaToppingjoin table was created to represent the many-to-many relationship between pizzas and toppings. - New fields have been added to the
ToppingsandSauces.Caloriesis defined as aTEXTcolumn because SQLite doesn't have a matchingdecimaltype.- Similarly,
IsVeganis defined as anINTEGERcolumn. SQLite doesn't define abooltype. - In both cases, EF Core manages the translation.
- The
Namecolumn in each table has been markedNOT NULL, but SQLite doesn't have aMaxLengthconstraint.
Tip
EF Core database providers handle mapping model schema to a particular database's features. While SQLite doesn't implement a corresponding constraint for
MaxLength, other databases like SQL Server and PostgreSQL do.- A
In the SQLITE EXPLORER pane, right-click the
_EFMigrationsHistorytable and select Show Table. The table contains a list of all migrations applied to the database.
You've used migrations to define and update a database schema. In the next unit, you'll finish the methods in PizzaService that manipulate data.
Check your knowledge
Need help? See our troubleshooting guide or provide specific feedback by reporting an issue.