HOME
  1. 1 Introduction
  2. 2 Architecture
  3. 3 New Component
  4. 4 DAO Implementations
  5. 5 +Add EFC
  6. 6 +Installing db tools
  7. 7 +Create DbContext
  8. 8 Configuring tables
  9. 9 Configuring Relationships
  10. 10 +Create Database
  11. 11 Add User
  12. 12 Get Users
  13. 13 Add Todo
  14. 14 Get Todos
  15. 15 Complete Todo
  16. 16 Delete Todo
  17. 17 The End

Introduction


This is the third part of a 3 part tutorial series.

You should already have the Todo Web API in place from the first part, and the Blazor-WASM app from the second tutorial. We will continue working in the same Solution.

This tutorial will cover swapping out the current JSON-data layer with a layer using Entity Framework Core and SQLite.

We will make modifications to the server side. The client will not be touched, as it does not care how the data is saved/loaded.

Didn't do Parts 1 and 2?

If you don't have a working app based on part 1 and 2, you can just clone a branch from GitHub, which will give the code from 1 and 2.

This is the branch: https://github.com/TroelsMortensen/WasmTodo/tree/018_PopupSuccessMessage

It is the last of part 2. If you clone this, you will have the code, which is the starting point of this tutorial.

Features

We still have the same features, i.e. user stories as in the previous two tutorials, however, they are less interesting in this part.

Instead, we must make substitute classes for TodoFileDao and UserFileDao. The new classes will implement the same interfaces, which will make it easy ot let the Web API use the new layer instead of the old. It requires only a few modifications to WebAPI/Program.cs, where we register new implementations of the interfaces.
The new EFC DAO implementations will then be injected into the Logic layer.

We will still implement the methods in the same order as the user stories, so that we can test along the way.

Branches

There will be only two branches:

  1. One for setting up the initial EFC stuff
  2. One for doing the most of the actual implementation

Comment

Notice how some steps are prefixed with a "+". This is because these are the main steps of setting up a database.

This tutorial will contain much information besides the basic setup, e.g. related to Todos and Users and general design discussion, etc.

So, when you need to set up EFC for your project or other, the +-marked steps are the relevant ones (I hope).

Let's go

That should be all, let us get started.


Architecture


We are going to add a component to house the functionality of using Entity Framework Core for data management.

Below is a low detailed class diagram, you saw it back in part 1:

You don't currently have the EfcDataAccess component, but we will make it shortly.

We put the I*Dao interfaces into the Application component to make it easier to swap out the implementations, and we will see this in a minute.
This is where Dependency Inversion Principle and Dependency Injection comes into play.


New Component


Let us go ahead and create a new component/project in your solution.

It is a class library, call it "EfcDataAccess".

img.png

Which will result in a solution structure like this:

img.png

Your new library contains a dummy Class1, delete it.

Dependencies

The below is a component-diagram, and the dotted arrows shows the inter-component dependencies. Most of them was setup in the first tutorial:

Remember how the dependencies were supposed to flow according to Clean Architecture. The ones from WebAPI to Data components is unfortunate but necessary. And do not cause too much trouble, anyway.

Who knows about who?

Application depends on Domain.

The WebAPI depends on Application, because the Controller classes need to call the methods in the Logic interfaces.

The FileData depends on Application, because the DAO classes in FileData must implement interfaces located in Application.

The WebAPI also knows about FileData and EfcDataAccess, only because it is in WebAPI/Program.cs we register services, including the implementations of the IUserDao and ITodoDao interfaces.

Because of transitive dependency both WebAPI, FileData, and EfcDataAccess knows about Domain.

We need to set up two new dependencies:

  • WebAPI -> EfcDataAccess
  • EfcDataAccess -> Application

Go ahead and do that.


EFC DAO Implementations


Inside EfcDataAccess create a folder (similar to what we have in FileDate): "DAOs".

We start by creating the two implementations, just so they are in place. Then we implement the methods one by one.

Create the two following classes:

TodoEfcDao class

Create this class in EfcDataAccess/DAOs.

Implement the interface "ITodoDao", then include the inherited methods. Your class now looks like this:

public class TodoEfcDao : ITodoDao
{
    public Task<Todo> CreateAsync(Todo todo)
    {
        throw new NotImplementedException();
    }

    public Task<IEnumerable<Todo>> GetAsync(SearchTodoParametersDto searchParameters)
    {
        throw new NotImplementedException();
    }

    public Task UpdateAsync(Todo todo)
    {
        throw new NotImplementedException();
    }

    public Task<Todo?> GetByIdAsync(int todoId)
    {
        throw new NotImplementedException();
    }

    public Task DeleteAsync(int id)
    {
        throw new NotImplementedException();
    }
}

UserEfcDao class

Then create this class, implement interface and methods:

public class UserEfcDao : IUserDao
{
    public Task<User> CreateAsync(User user)
    {
        throw new NotImplementedException();
    }

    public Task<User?> GetByUsernameAsync(string userName)
    {
        throw new NotImplementedException();
    }

    public Task<IEnumerable<User>> GetAsync(SearchUserParametersDto searchParameters)
    {
        throw new NotImplementedException();
    }

    public Task<User?> GetByIdAsync(int id)
    {
        throw new NotImplementedException();
    }
}

Register services

Let's now swap out the DAO implementations, so that the server uses our new classes here. Obviously nothing will work, but we can then test along the way.

Open WebAPI/Program.cs

Find these lines:

builder.Services.AddScoped<FileContext>();
builder.Services.AddScoped<IUserDao, UserFileDao>();
builder.Services.AddScoped<IUserLogic, UserLogic>();

builder.Services.AddScoped<ITodoDao, TodoFileDao>();
builder.Services.AddScoped<ITodoLogic, TodoLogic>();

Lines 2 and 5 is where we specify that whenever a class requests an IUserDao or ITodoDao, that class wil actually get a UserFileDao or TodoFileDao, respectively.

Swap out the implementations, so it looks like this:

builder.Services.AddScoped<FileContext>();
builder.Services.AddScoped<IUserDao, UserEfcDao>();
builder.Services.AddScoped<IUserLogic, UserLogic>();

builder.Services.AddScoped<ITodoDao, TodoEfcDao>();
builder.Services.AddScoped<ITodoLogic, TodoLogic>();

Notice the 2nd type parameter is changed from e.g. UserFileDao to UserEfcDao.

That's it. We have now "removed" the FileData component, and we are using EfcDataAccess instead.

Test Dependencies

Now, the above code in the WebAPI/Program.cs was the only place, where anything outside the FileData component referenced code inside the FileData component. We have now completely detached this component from the system.

You can verify this, by deleting the FileData component, and you should see that your code still compiles.

So, a minor change to two lines of code, and we have swapped a large chunk of functionality. This is where the Dependency Inversion Principle shines.

img.png

We can now proceed with implementation of the functionality in EfcDataAccess component, without causing changes to the rest of the code base. (I thought, but we will see there are a few, minor problems..)

Test of the System

We can't test much, since we just broke all our functionality. But you should be able to run the Web API, and interact with the endpoints through the Swagger page. You will just get an error every time.

Before we can start fixing that, we need to set up the Entity Framework Core and the database.


Add EFC Packages


Entity Framework Core (EFC) is an "Object Relational Mapper". That means it can generate a relational database, with tables, attributes, relationships (foreign keys), etc, based on your domain classes, and their associations.

In our case we have a Todo and a User object, with an association from Todo to User, as the Owner.

If we use these model classes as the basis for EFC, it will generate two tables: Todos, Users. And there will be a foreign key from a Todo to a User.

We don't have to use SQL at all.

Add NuGet Packages

First, we need to include some packages in our EfcDataAccess project, so that we get access to the EFC functionality.

Open the NuGet manager, in Rider it's found here:

img.png

Or you can find a tab in the bottom bar in Rider.

You need to add three packages to EfcDataAccess:

  • Microsoft.EntityFrameworkCore
  • Microsoft.EntityFrameworkCore.Design
  • Microsoft.EntityFrameworkCore.Sqlite

It is done like this:

  1. You search for the package.
  2. You select the correct package from the search results.
  3. You select the correct version. And which is that? All three packages should be the same version. At the time of writing the latest is 6.0.9. Pick the latest version, which is not marked preview or rc (whatever rc means), these are "beta" versions.
  4. Then you click the plus icon for the project to which you want to add this package.
  5. You click Install in the popup

Do this for all three packages.

Microsoft.EntityFrameworkCore and Microsoft.EntityFrameworkCore.Design is always needed, together they let you generate a database based on your domain classes.

Microsoft.EntityFrameworkCore.Sqlite is needed because we are going to use SQLite as our database. If you wish to use to use another database, e.g. MySQL or MSSQL or PostgreSQL, you'll have to import a specific NuGet package for that.


Installing Db Tools


You will need to install a command line interface (CLI) tool, which is used when creating/updating the database. This should be needed only once.

Open the terminal in Rider:

img.png

The terminal can also be found in the bottom menu bar of Rider, next to the NuGet package manager tab.

In the terminal type (it shouldn't matter which directory, you're in):

dotnet tool install -g dotnet-ef

The -g means the tool is installed globally, and so you shouldn't have to install it again, if you create a new solution, e.g. for your SEP3.

img.png


Create DbContext


You currently have a FileContext class, in FileData component, which is responsible for providing collections of Todo and User. It also loads data, and saves changes.

The DbContext has a similar responsibility. Furthermore, it is here we define how the database should look like. Sort of.

Create a new class, "TodoContext" (or AppContext, or whatever), inside EfcDataAccess component. It must inherit from DbContext, which is available after the installation of the NuGet packages, slide 5.

Specifying the Database

We need to specify which database to use. That's done in the inherited method OnConfiguring(...) (there are other approaches, we keep it simple, here).

The class then currently looks like this:

public class TodoContext : DbContext
{
    public DbSet<User> Users { get; set; }
    public DbSet<Todo> Todos { get; set; }

    protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
    {
        optionsBuilder.UseSqlite("Data Source = Todo.db");            
    }
}

We have defined two DbSets. When the database is generated, it will result in a table per DbSet, so we get a Todos table and a Users table.

We interact with the DbSet in a similar way to how we used the Collection of the FileContext.

We interact with this DbSet to add, get, update, remove Todos/Users from the database.

The OnConfiguring(...) method is here used to specify the database to be used. This is done with the method UseSqlite(...). This method is available because we added a NuGet package for SQLite. If we were using Postgres, we would have a different method here, probably UsePostgres(..).

The argument is the name of the SQLite database file: Todo.db.
For SQLite it is simple, there is no authentication, there is no actual database server running, so no IP or port. The "connection string" here is just a reference to the file. For other databases, you will have to provide a more elaborate connection string.

I have an example on GitHub, where I connect to a local Postgres database, and a cloud-hosted Postgres database.

SQLite is just a single file, so that makes it easier to work with, instead of having to use Postgres or MySql or similar. And the argument of UseSqlite(..) is just pointing to this file.

You may sometimes need to specify the absolute path to the db file, e.g.:

C:\TRMO\RiderProjects\TodoAppWasm\EfcDataAccess\Todo.db

This is probably because your main method is in one project, and the file is in another.

Alternatively a relative path should be possible too, something like:

..\EfcDataAccess\Todo.db

Note

The above method is a simple approach, however we have now hardcoded the database info, and it may not be easy to modify.

Usually the connection info will go into a configurations file, and the program will read from that. This provides the option of being able to change the connection string after the program is compiled and deployed.

Furthermore the optionsBuilder.UseSqlite can be done in Program.cs, so that it is easier to modify which database is used, without having to touch the TodoContext class. This increases flexibility, if you ever wish to change database. We don't, so we keep it simple.

img.png

It is left to the reader to google how to do that, if they're interested.

Other Database Providers

If you wanted to use a different DBMS, e.g. Postgres, you would add a NuGet package for a Postgres driver.

That would then include a method UsePostgres(...), in which you would provide connection arguments.


Configuring the Tables


Now, we need to add some information to be used when the database is generated. This includes:

  • The attribute to use as Primary Key for each domain class
  • Various constraints on the attributes, e.g. length, range, optional/required

There are two approaches:

  1. data annotation attributes in domain classes
  2. define it in DbContext subclass, i.e. the TodoContext

I will show both approaches here, and provide some discussion, so that you may prefer one approach over the other. Or a mix of the two.

1. Data Annotation Attributes

You have seen various attributes before, e.g. on the endpoints in your REST controllers, we would put [HttpGet]. And on the Controller itself we put [ApiController].

We can also put attributes in our domain classes to define the above mentioned configuration.

Primary Key

We have the property Todo::Id, it already acts as a "primary key", it is a unique identifier for a Todo.

If the property is called "Id", EFC will usually infer that this is the primary key.

If the property is called <class-name>Id, i.e. "TodoId", or "UserId", EFC will usually infer that this is the primary key.

In both cases, I believe the property must be of type int (not entirely sure, though. Maybe Guid also works).

You can also manually define a primary key property, by adding the [Key] attribute to a property:

public class Todo
{
    [Key]
    public int Id { get; set; }
    public User Owner { get; }
    public string Title { get; }

    public bool IsCompleted { get; set; }

    public Todo(User owner, string title)
    {
        Owner = owner;
        Title = title;
    }
}

I prefer to be explicit. It minimizes confusion, I believe.

If you do it like this, have an int Id, it will become SERIAL, i.e. if you don't provide a value other than 0, the database will generate the value of the Id based on the next available number.

Constraints

We can also define various constraints, as mentioned above. This can be done with attributes too.

If we make a property nullable, i.e. append a "?" on the type, like int?, we make that attribute in the database nullable: it is allowed to not be set. If we don't make a property nullable, then it is by default required in the database.

We can set a max length on e.g. Title like this:

[MaxLength(50)]
public string Title { get; }

We can define an allowed range on number types with e.g. [Range(0,250)].

You can find more attributes here

Web API and Blazor

If we apply these data attributes, they are actually also used by the Web API. Before an endpoint with a Todo argument is called, the data from the client is validated using the attributes. If the incoming data violates your attribute constraints, the request will just be denied, and not reach your endpoint. Read about Web API model validation here

Similarly, Blazor has a built in input-form with various components. These will also use the attribute to validate the data. Read about the Blazor input forms here. You were specifically not taught these, because making things from scratch gives you freedom. But now you know the basics, you are welcome to use various built in functionality or 3rd party libraries.

2. OnModelCreating(..) Method

This way does not require modification to the domain classes. We can set similar configuration by overwriting this method in the DbContext sub-class.

Primary Key

As above, the Key can be inferred by the naming of the property.

Alternatively, we can define primary keys on User and Todo like this (in TodoContext):

protected override void OnModelCreating(ModelBuilder modelBuilder)
{
    modelBuilder.Entity<Todo>().HasKey(todo => todo.Id);
    modelBuilder.Entity<User>().HasKey(user => user.Id);
}

In this way, we say that the entity "Todo" has a key, and the lambda expression defines which property to use as the key.

The benefit here is that we don't have to modify the entity classes.

Constraints.

You can also do some of the constraints in OnModelCreating(..). Here is an example of limiting the Todo::Title to 50 characters:

modelBuilder.Entity<Todo>().Property(todo => todo.Title).HasMaxLength(50);

It seems you can not do exactly the same constraints as with the attributes. E.g. I have found no Range, or MinLength.

So, if you really need those constraints, you may have to use attributes as well.

Do We Need Constraints?

Now, whatever constraints we apply, they should obviously match the validation rules we implemented in the logic layer.

And because we already validate things in the logic layer, we could just neglect them in the database.

If we have the rules two places (or three if you do them in the client as well), then you will also have to update multiple places, if you need to change something.

We could then consider just having the constraints in the database, and not in logic layer. But then the logic layer needs to trust those rules are enforced elsewhere, which is probably not a good idea.
What if you change database and either forget some constraints, or your new database simply does not support that kind of constraint? You must then implement the constraint in the logic layer.
You will have to evaluate options and make a qualified choice.

Configuring the tables

For now, the approach of this tutorial will be the OnModelCreating, without constraints.
In TodoContext, we then have the following method:

protected override void OnModelCreating(ModelBuilder modelBuilder)
{
    modelBuilder.Entity<Todo>().HasKey(todo => todo.Id);
    modelBuilder.Entity<User>().HasKey(user => user.Id);
}

Now, we have configured each table, with keys and constraints. What about relationships, i.e. foreign keys? This is how we bind the data together.
We will discuss that next, because there are again some considerations, and different approaches.


Configuring Relationships


An object oriented model have relationships between model classes, usually in the form of associations. Our domain classes are like this:

img.png

This means, the Todo has a reference to its owner, a User. The Todo knows about the User, but the User does not know about the Todo.

We could have flipped the association, and said the User includes a list of all their Todos.

The intention is that "a user can be assigned to many todos".

Usually in the object oriented domain, the relationships between classes are one-way, as above.

Generating Tables

If we generate the database now, we will get a table per domain class, i.e. Todo and User. We will get a relationship between them as shown in this EER-diagram:

img.png

Notice there is no "Owner" on Todo, because that is implied by the relationship.

And if you know your databases, you know this is implemented in the database as these tables:


Relational schema

Todo(Id, Title, IsCompleted, Owner)
Primary key: Id
Foreign key: Owner references User(Id)

User(Id, UserName)
Primary key: Id


So, the Todo gets a foreign key to the User.

This is what EFC will generate for us, whether we use the object oriented association of "Todo -> User" or "Todo <- User". Either way, it is a 1:* relationship, which results in the above relational schema.

What is a Navigation Property?

The relationship is implemented in the database as a foreign key, and in the domain classes, we use an association, i.e.:

  • Todo has an association (Owner) to User, or
  • User could have a list of Todos

This association is called a "Navigation Property", it is used to navigate around between objects. Essentially it is an object oriented implementation of a foreign key.

Two-Way Navigation Properties

Currently, our domain classes have a one-way navigation property, i.e. Todo -> User.

Sometimes, you may want to make a two-way relationship, i.e. add Navigation Properties on both sides. This can vastly simplify some queries against the database, depending on what side of the data you start from. Example:

  • If you want to load a Todo with the User, it is easy because the Todo includes the User.
  • If you want to load a User with all its Todos, it is much more complicated, because Users do not know about their Todos.

In the latter example, you would have to go through all Todos, and check if their User is the one, you wish to load.

If we add a Navigation Property, User -> Todo (i.e. the list in User), it is easily loaded: Find a User, also load the associated Todos.

So, often it is a benefit to have two-way navigation properties, and this is commonly seen.

The classes would then look like this:

img.png

Notice the User has a collection of all Todos assigned to it.

Update to Domain Classes

This means an update to the User class, it looks like this:

public class User
{
    public int Id { get; set; }
    public string UserName { get; set; }

    public ICollection<Todo> Todos { get; set; }
}

Things should be good now.


Create the Database


We have done the configuring and we are ready to let EFC generate the database for us.

First, we must generate a Migration. This is a file containing information about how to create/update the database.

Every time the domain classes change or a new class is added, we need to create a new migration, and apply it to the database.

In this way the database can be regularly updated.

Modify Todo

First, we need to modify the Todo class. It currently looks like this:

public class Todo
{
    public int Id { get; set; }
    public User Owner { get; }
    public string Title { get; }

    public bool IsCompleted { get; set; }

    public Todo(User owner, string title)
    {
        Owner = owner;
        Title = title;
    }
}

We have set properties for Id and IsCompleted, but not the other two. They are read-only. They are instead set through the constructor.

The current setup with a constructor and some read-only properties is because of various code in the logic layer.\

EFC needs a little more:

  • There must be set properties for all fields. They may be private.
  • There must be a no-arguments constructor for EFC to call when creating objects. This constructor may be private.

So, this is a bit annoying, but it will not cause must of a ripple effect.

The Todo class should be changed to:

public class Todo
{
    public int Id { get; set; }
    public User Owner { get; private set; }
    public string Title { get; private set; }

    public bool IsCompleted { get; set; }

    public Todo(User owner, string title)
    {
        Owner = owner;
        Title = title;
    }
    
    private Todo(){}
}

Notice the private set; properties on Owner and Title.

Notice the private constructor.

These two additions are for EFC, but it has no effect on the rest of the system. We have not exposed anything, we shouldn't. We have not cause relevant changes.
So, this is acceptable, albeit a little unfortunate.

Generate a Migration

A migration is created through the terminal (or command line interface).

Open the terminal.

Navigate to the EfcData project. Most likely when you open the terminal, it is located in the solution directory. You want to enter the EfcDataAccess directory:

cd EfcDataAccess

Or like this:

Once there, type in the following:

dotnet ef migrations add InitialCreate

The last part, InitialCreate, is the name for the migration we are about to create. You should generally call it something, which indicates what this migration does, e.g. "UserEntityAdded", "TodoEntityUpdated", "EmailAddedToUser", or something similar. These names can be compared to Git commit message.
Migrations are sort of a form of version control, similar to how you use Git.

Execute the above command. You should get:

PS C:\TRMO\RiderProjects\TodoAppWasm\EfcDataAccess> dotnet ef migrations add InitialCreate
Build started...
Build succeeded.
Done. To undo this action, use 'ef migrations remove'
PS C:\TRMO\RiderProjects\TodoAppWasm\EfcDataAccess>

Now, look in the EfcDataAccess component, you should see a new folder, Migrations (it may take a second or two to update the UI. You may need to collapse EfcDataAccess and open it again).

img.png

Here is the "version control" of your database. These files keep track of the modifications to your code, which should eventually be applied to the database. And the files keep track of which of the migrations are actually applied, and which are not. Maybe you have a few migrations, which have not yet been applied to the database.
When you then update the database, EFC will figure out the difference, and apply the necessary migration(s).

This folder should probably also be under version control for your projects, so that when one group-member changes the database, the others can get the update.

Deleting the Migrations

Sometimes, you may want a "hard reset", if you somehow mess up. You can delete the Migrations folder, along with the database file generated on the next slide, and start over.

This can best be done with SQLite. When using other databases, go google how to revert a migration instead. Or you will have to drop cascade the schema manually.

Applied migrations can be reverted to a previous migration. Un-applied migrations can just be removed.

Apply a Migration

The next step is to apply the migration to your database. Currently we have no database, so it will be created the first time we apply an update.

Again, in the terminal, and in the EfcDataAccess directory, we use the following command:

dotnet ef database update

Like so:

PS C:\TRMO\RiderProjects\TodoAppWasm\EfcDataAccess> dotnet ef database update
Build started...
Build succeeded.
Applying migration '20221025111855_InitialCreate'.
Done.
PS C:\TRMO\RiderProjects\TodoAppWasm\EfcDataAccess>

Whenever a new migration is created (or multiple), you can do the above to apply them all.

Again, in the EfcDataAccess component, you should now see your database file:

img.png

SQLite is just a single file, which makes it very easy to work with. This file can actually also be put under version control, should you wish to.
This could ensure an easy way to let all group members have the same data set.

Update path

Finally, in the TodoContext, we have the piece of code, which points to the db file:

protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
{
    optionsBuilder.UseSqlite("Data Source = Todo.db");
}

This is a relative path, from the EfcDataAccess component root. However, the program is started from WebAPI component. So, the path to the SQLite file should be relative to that component. Modify the above code to:

protected override void OnConfiguring(DbContextOptionsBuilder optionsBuilder)
{
    optionsBuilder.UseSqlite("Data Source = ../EfcDataAccess/Todo.db");
}

The .. means to navigate to a parent folder, which is TodoAppWasm solution folder. Then into the EfcDataAccess folder (component), and the the Todo.db file.

Alternatively, you can provide the absolute path, something like:

C:\TRMO\RiderProjects\TodoAppWasm\EfcDataAccess\Todo.db

However, that path will be different between group members, so you would have to modify it.
Even more alternatively this can be put into a local configuration file, which is not under version control. You'll have to google how to do this, if interested.


Add User Functionality


We are ready to update the first user story, adding a new user.

The code for the rest of the tutorial can be found in this branch

Add TodoContext as a Service

In WebAPI/Program.cs we already added UserEfcDao and TodoEfcDao as services.

We now need the TodoContext, so that it can be injected when needed.

Add the following:

builder.Services.AddDbContext<TodoContext>();

This method has an overload which takes an argument, where you can specify the database connection string. We did that in the TodoContext, where we said "Data source = Todo.db", but it can also be done here.
This latter approach seems to be the usual, though it doesn't change much for us. It does however make it easier to change database, if we provided the connection info in Program.cs instead. You may google how to, if you wish.

Inject TodoContext

First, we must inject a TodoContext into the *EfcDao classes, similar to how we injected a FileContext in the *FileDao classes.

Add the following code to UserEfcDao:

private readonly TodoContext context;

public UserEfcDao(TodoContext context)
{
    this.context = context;
}

And do similar for the TodoEfcDao, now that your at it (obviously the constructor is named differently in that class).

Add User Method

Open the class UserEfcDao. We need to implement the method bodies now.

We start with the CreateAsync() method.

The interaction with the TodoContext will be pretty similar to how we used the FileContext. However, we don't need to manually calculate and set the Id. This is done by the database, when the Id is an int, and we provide the value 0.

The code looks like this:

public async Task<User> CreateAsync(User user)
{
    EntityEntry<User> newUser = await context.Users.AddAsync(user);
    await context.SaveChangesAsync();
    return newUser.Entity;
}

The database sets the Id of the User, which is why it may be relevant to return the created User, now with the correct Id.

We can now also use the asynchronous functionality of the DbContext class.

GetByUsername Method

This method is used, because before adding a new User, the logic layer will ask whether the selected user name is taken.
So, we need to implement this method as well.

It should behave similarly to the same method in UserFileDao.

Give it a go yourself first. You cannot use Equals(userName, StringComparison.OrdinalIgnoreCase), as this cannot be translated to SQL.
Instead you can do u.UserName.ToLower().Equals(userName.ToLower()), i.e. make both user names lower case and compare.

hint
public async Task<User?> GetByUsernameAsync(string userName)
{
    User? existing = await context.Users.FirstOrDefaultAsync(u =>
        u.UserName.ToLower().Equals(userName.ToLower())
    );
    return existing;
}

Test

Run your Web API, and have it open Swagger.

Use the POST /Users end point to create a new user.

Open in-IDE Database Manager

How do we verify the user was created? You should have gotten a 201 response code, but is the User in the database?

You can open a database tool here:

img.png

Or, on the right side of Rider, there is a menu bar with vertical tabs, on of them called "Database".

We are going to add the Todo.db SQLite file here.

We need a "new data source wizard". You should be able to just drag the Todo.db into the Database view. Alternatively:

img.png

You should get this window:

img.png

  1. Give the source a name, it can be anything.
  2. Mine says "Update", yours probably says install driver. Do so.
  3. Skipped step three, apparently
  4. Locate the .db file, which should then update the URL
  5. Test the connection
  6. Click OK

You should then see a view, similar to DataGrip (if you're familiar):

img.png

Here you can see all the tables, e.g. Todos and Users. Double click them, or expand them to inspect.
This is usually a good idea after each applied migration, to make sure the database looks as you expect.

If you double click on Users, you will open the table, and should see the newly created User from the test above.


Get Users


Next, we implement the functionality of retrieving a collection of Users. The method is already there in UserEfcDao. It just needs a body.

We don't convert the Users to IEnumerable, like we did in UserFileDao. This time we use IQueryable.

Otherwise, the method is very similar:

public async Task<IEnumerable<User>> GetAsync(SearchUserParametersDto searchParameters)
{
    IQueryable<User> usersQuery = context.Users.AsQueryable();
    if (searchParameters.UsernameContains != null)
    {
        usersQuery = usersQuery.Where(u => u.UserName.ToLower().Contains(searchParameters.UsernameContains.ToLower()));
    }

    IEnumerable<User> result = await usersQuery.ToListAsync();
    return result;
}

The IQueryable is a representation of a query, not yet loaded, but in the process of being constructed.
In the if-statement we expand on the query, i.e. the SQL expression, we are building.

Only when we use the result, i.e. by converting to list, do we actually execute the query against the database.
This is an important point. If you initially convert to list or similar, you'll load the entire table. This is not efficient.

Test Setup

Before testing, let's add a few more users. You can do this through the Swagger UI.
Or, open the Database tool again, double click on the Users table. You can add more rows here.

Notice how the Id is generated automatically.

Now run the Web API, and test the GET /Users endpoint. Remember you can include filtering, by the user name containing some string.
Test that it works with both upper case and lower case letters.


Add Todo


For this we first need the method UserEfcDao::GetByIdAsync. Then the method TodoEfcDao::CreateAsync.

Get User by Id

It should retrieve a User by its Id. You have previously used the method FirstOrDefault. You can do that again.
Or you can use Find(), it takes an id of type int.

Give it a go.

hint
public async Task<User?> GetByIdAsync(int id)
{
    User? user = await context.Users.FindAsync(id);
    return user;
}

Create Todo

Then we go to TodoEfcDao::CreateAsync, implement this.

hint
public async Task<Todo> CreateAsync(Todo todo)
{
    EntityEntry<Todo> added = await context.Todos.AddAsync(todo);
    await context.SaveChangesAsync();
    return added.Entity;
}

A problem

We have added two-way navigation properties to the domain classes, i.e. Todo associates User, and User associates Todo.
The Web API will return JSON. We cannot serialize objects to JSON if there are circular dependencies, which is what we have.

So, two approaches to fixing this:

  1. We return a customized DTO instead of the Todo from the Create endpoint.
  2. We add the [JsonIgnore] attribute to User::Todos property

We will go with the second approach, because this will sort of take us back to the original setup, before adding navigation properties.
And it causes fewer changes, than having to return a DTO.

So, make this modification:

public class User
{
    public int Id { get; set; }
    public string UserName { get; set; }
    [JsonIgnore]
    public ICollection<Todo> Todos { get; set; }
}

Last option is to set the JsonSerializerOptions, and tell the serializer to ignore cycles:

JsonSerializer.Serialize(myObj, new JsonSerializerOptions
{
    ReferenceHandler = ReferenceHandler.IgnoreCycles
});

Another problem

Because we are using no tracking for EF Core, the logic part of creating a Todo will fail.

If we disable the no-tracking, it will still work.

I prefer, instead, to change things a little bit.

First, you must change the Todo class:

public class Todo
{
    public int Id { get; set; }
    public User Owner { get; private set; }
    public int OwnerId { get; set; }
    public string Title { get; private set; }

    public bool IsCompleted { get; set; }

    public Todo(int ownerId, string title)
    {
        OwnerId = ownerId;
        Title = title;
    }
    ...

We add an explicit foreign key, the OwnerId. EFC will identify this as an FK because of naming conventions.
It matches the name of the Owner property, + "Id".

Second, the constructor takes a value for the foreign key, rather than an association to a user.

Second, now the TodoLogic complains. In the Create() method, where you instantiate a new Todo, you must now pass the user.Id instead:

Todo todo = new Todo(user.Id, dto.Title);

It is around line 27.

And the Update(), you must do the same. Around line 68, pass the userToUse.Id` instead.

That should be all.

Test

.. this functionality through Swagger. It's the POST /Todos endpoint.

You can verify the success through the Database tool, by opening the Todos table. Notice the foreign key is set, because the Todo object had a reference to a User object.


Get Todos


This is the method TodoEfcDao::GetAsync().

It is going to look similar to the TodoFileDao.GetAsync(), but similar to the Get User method, we will use an IQueryable instead of IEnumerable.

Give it a go yourself. Remember we want to also load the Users, i.e. Todo::Owner, with the Include() method.

hint
public async Task<IEnumerable<Todo>> GetAsync(SearchTodoParametersDto searchParams)
{
    IQueryable<Todo> query = context.Todos.Include(todo => todo.Owner).AsQueryable();
    
    if (!string.IsNullOrEmpty(searchParams.Username))
    {
        // we know username is unique, so just fetch the first
        query = query.Where(todo =>
            todo.Owner.UserName.ToLower().Equals(searchParams.Username.ToLower()));
    }
    
    if (searchParams.UserId != null)
    {
        query = query.Where(t => t.Owner.Id == searchParams.UserId);
    }
    
    if (searchParams.CompletedStatus != null)
    {
        query = query.Where(t => t.IsCompleted == searchParams.CompletedStatus);
    }
    
    if (!string.IsNullOrEmpty(searchParams.TitleContains))
    {
        query = query.Where(t =>
            t.Title.ToLower().Contains(searchParams.TitleContains.ToLower()));
    }

    List<Todo> result = await query.ToListAsync();
    return result;
}

The method is structured in the same way as the previous version in TodoFileDao.\

Notice, we again use the IQueryable, which just represents an SQL statement being constructed.
We are not executing anything against the database until the second last statement query.ToListAsync().
This is where the SQL is sent to the database, executed, and a result is returned.

Test

Create a few more Todos, maybe through the Database tool. The IsCompleted is represented by 0 or 1, i.e. false or true.

Then use Swagger to test. Try various filter parameters.

You will notice the Owner objects are also loaded in the result:

img.png

The "owner" field is included here, because of the Include(todo => todo.Owner) call at the start of the method.


Complete Todo


This was actually "update todo". I.e. we could update more properties than just the IsCompleted. That part was handled by the Logic layer.

We need two methods in TodoEfcDao: UpdateAsync and GetByIdAsync.

GetByIdAsync()

This should be straight forward. Remember to load the Owner as well.

hint
public async Task<Todo?> GetByIdAsync(int todoId)
{
    Todo? found = await context.Todos
        .Include(todo => todo.Owner)
        .SingleOrDefaultAsync(todo => todo.Id == todoId);
    return found;
}

UpdateAsync()

In the FileContext, we would remove, then add a Todo.
The DbSet has an Update method, which will search for an existing object with the same Id, and just overwrite the data.

Here's the method:

public async Task UpdateAsync(Todo todo)
{
    context.Todos.Update(todo);
    await context.SaveChangesAsync();
}

What is the ChangeTracker?

We do have a potential problem though, which was found later, and happens in specific circumstances.

The problem

It's because of the ChangeTracker.

Your DbContext subclass has a kind of cache, i.e. the ChangeTracker.
It keeps previously loaded objects in memory. It keeps added objects, or tracks that objects are removed or updated. When you load something from the database, those objects are kept in the ChangeTracker as well. It tracks changes.
When the SaveChanges is called, everything in the ChangeTracker is submitted to the database in a transaction.\

E.g. if you fetch an object from the database twice in a row, the first time it will be retrieved from the database. It is then held in memory, in the ChangeTracker.
But the second time, the object already exists in memory, so that is returned instead of contacting the database.

Now, when we update a Todo, we might have a problem:
The Update() method will load a Todo, put it in the ChangeTracker. The Todo has an Owner, i.e. a User, so that is loaded. The User currently has a List of Todos, so that is loaded. But the List will contain the first loaded Todo, and we get a conflict. We have attempted to load the same Todo into the ChangeTracker twice.

This bug was discovered some time after the guide was created, and a good, correct fix is somewhat outside the scope, currently.
It involved the Unit of Work pattern, and not using the Update method.

The simple solution would be to just delete the Collection of Todos on the User object:

I.e. delete the highlighted line.

public class User
{
    public int Id { get; set; }
    public string UserName { get; set; }
    public ICollection<Todo> Todos { get; set; }
}

This collection is not currently used anywhere, so it shouldn't be a problem to delete it.
Now we don't load the circular Todo -> User -> Todo.

You won't have to update the database.

Test

.. this by running the Web API, and using the PATCH /Todos endpoint.

See if you can complete a Todo. The "try it out" option in Swagger requires you to fill in all data, so find that through another endpoint or the Database tool in Rider.
Verify result either through Database tool, or another endpoint.

See if you can update a Title.

See if you can re-assign a Todo to a different User.


Delete Todo


There is just this one method left in the TodoEfcDao class.

It works similarly to the File version: find existing todo, remove it, save changes.

Give it a go.

hint
public async Task DeleteAsync(int id)
{
    Todo? existing = await GetByIdAsync(id);
    if (existing == null)
    {
        throw new Exception($"Todo with id {id} not found");
    }

    context.Todos.Remove(existing);
    await context.SaveChangesAsync();
}

We check if the Todo exists. Then remove it from the Todos set. Then we save the changes.


The End


We have now finished swapping out the File data storage with a different component using EFC.

Mostly, it was pretty painless, we didn't have to modify much in the existing code. There were some unforeseen, unfortunate necessary changes, but I hope you can still see the purpose of the Clean Architecture approach.

So far we have done integration testing, just using the Web API. You should now expand the testing to scenario testing, i.e. use the Blazor app to test whether the swapped out functionality works.


What did I learn?


I too have learned something along the way. I have actually created this tutorial at least three times now, each time applying knowledge from the previous. And each learning something I would include in the next version, if I ever get to that. It's comprehensive work.

The clean-architecture approach has taken a lot more focus in this latest version. And there are things, which could be done differently. But... I removed the discussion, it was out of scope.