DEV Community

Cover image for Exploring Identity Endpoints in .NET 8
Grontis Kostis
Grontis Kostis

Posted on • Originally published at kgrontis.github.io

Exploring Identity Endpoints in .NET 8

.NET Identity refers to the framework's built-in system for managing user authentication and authorization. For many devs , working with Identity can be a daunting experience, especially when dealing with its complex configuration settings, various user stores, and the myriad of options for customization. Fortunately, Microsoft has recently announced improvements in auth as part of the upcoming release of .NET 8, which promises to enhance the overall experience. You can learn more about these upcoming changes here. Today we are going to explore how to utilize the new API endpoints that enable token-based authentication!

Prerequisites

Getting Started

Let's create a new project. Either from the IDE or the terminal. I'll be using VS Code and the terminal in this guide.

  • Open the integrated terminal.
  • Change directory to the desired path.
  • Run the commands to create and open the project in VS Code:
dotnet new webapi -o ApiEndpoints -minimal -f net8.0 
code -r .\ApiEndpoints\
Enter fullscreen mode Exit fullscreen mode

dotnet new webapi: This command creates a new .NET Web API project.
-o ApiEndpoints: The -o option specifies the output directory for the project.
-minimal: This flag means that the project will be created as a minimal api.
-f net8.0: The -f flag specifies the framework to target.

Now that we have the project to work on lets add the packages needed.

Run the following commands to add the packages from the terminal. The version of the packages is the latest at the moment of writing this:

dotnet add package Microsoft.AspNetCore.Identity.EntityFrameworkCore --version 8.0.0-rc.1.23421.29
dotnet add package Microsoft.EntityFrameworkCore.Design --version 8.0.0-rc.1.23419.6
dotnet add package Microsoft.EntityFrameworkCore.Sqlite --version 8.0.0-rc.1.23419.6
Enter fullscreen mode Exit fullscreen mode

We should be have everything set up to start adding code!

Implementation

Let's start by creating the app's user class. It's going to be inheriting from IdentityUser.

using Microsoft.AspNetCore.Identity;

namespace ApiEndpoints;
// Define the AppUser class, which represents a user in the application.
internal class AppUser :IdentityUser
{
    // You can add any additional properties needed for the user entity here.
}
Enter fullscreen mode Exit fullscreen mode

Then, we have to create our DbContext class like so:

using ApiEndpoints.User;
using Microsoft.AspNetCore.Identity.EntityFrameworkCore;
using Microsoft.EntityFrameworkCore;

namespace ApiEndpoints.DbContext;
// Create the AppDbContext class that inherits from IdentityDbContext.
internal class AppDbContext : IdentityDbContext<AppUser>
{
    public AppDbContext(DbContextOptions<AppDbContext> options) : base(options)
    {
        // Constructor for initializing the database context.
    }
}
Enter fullscreen mode Exit fullscreen mode

When using Identity, IdentityDbContext should be used instead of DbContext.

And now we are ready to start adding the services needed for auth to the dependency container.

We register the db context class we created as a service in the Program.cs class, and we configure it with the database provider of our choice:

builder.Services.AddDbContext<AppDbContext>(dbContextOptionsBuilder => dbContextOptionsBuilder.UseSqlite("Data Source=myapp.db"));
Enter fullscreen mode Exit fullscreen mode

Then we add authorization by calling the AddAuthorizationBuilder method. It's a method introduced in .NET 7 which is the preferred way to add authorization services into the IServiceCollection collection and it provides a builder for constructing policies.

builder.Services.AddAuthorizationBuilder();
Enter fullscreen mode Exit fullscreen mode

And now we need to add identity. We do that by calling the AddIdentityApiEndpoints method and then chain the AddEntityFrameworkStores.

builder.Services
    .AddIdentityApiEndpoints<AppUser>()
    .AddEntityFrameworkStores<AppDbContext>();
Enter fullscreen mode Exit fullscreen mode

AddIdentityApiEndpoints adds a set of common identity services and configures authentication to support identity bearer tokens and cookies. More specifically it adds the following:

public static IdentityBuilder AddIdentityApiEndpoints<TUser>(this IServiceCollection services, Action<IdentityOptions> configure)
    where TUser : class, new()
{
    ArgumentNullException.ThrowIfNull(services);
    ArgumentNullException.ThrowIfNull(configure);

    services
        .AddAuthentication(IdentityConstants.BearerAndApplicationScheme)
        .AddScheme<AuthenticationSchemeOptions, CompositeIdentityHandler>(IdentityConstants.BearerAndApplicationScheme, null, compositeOptions =>
        {
            compositeOptions.ForwardDefault = IdentityConstants.BearerScheme;
            compositeOptions.ForwardAuthenticate = IdentityConstants.BearerAndApplicationScheme;
        })
        .AddBearerToken(IdentityConstants.BearerScheme)
        .AddIdentityCookies();

    return services.AddIdentityCore<TUser>(configure)
        .AddApiEndpoints();
}
Enter fullscreen mode Exit fullscreen mode

Finally we add a call to MapIdentityApi to add endpoints for actions like registering a new user, logging in and logging out using Identity.

app.MapIdentityApi<AppUser>();
Enter fullscreen mode Exit fullscreen mode

You can read more about the endpoints that are being created by using this method, and what happens in each endpoint here.

Last but not least we have to run the migrations to our database.

dotnet ef migrations add InitialCreate
dotnet ef database update
Enter fullscreen mode Exit fullscreen mode

To run the above commands you have to have installed the dotnet ef tools cli which you can find here.

Trying out the new endpoints

To test out the new auth we should add the RequireAuthorization method to any endpoint you would like to require authorization to call. I'm going to add it to the endpoint that comes with the template /weatherforecast. Let's run our web api to try it out.
Run the following command:

dotnet run
Enter fullscreen mode Exit fullscreen mode

Your terminal should be showing something similar to this:

Server running on terminal

Grab the url that shows on the terminal and lets hit the endpoints. You can either do that on any api tool like Postman and Insomnia, or you could view the endpoints on Swagger.

These are all the endpoints that have been created (seeing them on Swagger UI):

Swagger endpoints

We definitely get a lot out of the box with no configuration whatsoever!

If we try to hit the /weatherforecast endpoint this is the response we get:
Unauthorized request to /weatherforecast

The tool used for API testing in this article Insomnia.

We will have to register a new user, login with our credentials, grab the token and use it to authenticate ourselves and get the results from the protected endpoint.

Register endpoint (POST) /register

This is a POST request with a JSON request body of the following structure:

{
  "username": "string",
  "password": "string",
  "email": "string"
}
Enter fullscreen mode Exit fullscreen mode

/register endpoint

We see that it indeed exists in the database:

SQLite query result for users

To view the sqlite db query results in VS Code, use an extension like SQLite.

Login endpoint (POST) /login

This is a POST request with the following JSON request body:

{
  "username": "string",
  "password": "string"
}
Enter fullscreen mode Exit fullscreen mode

/login endpoint

Weatherforecast endpoint (GET) /weatherforecast

We are going to use the access_token that was generated by the login endpoint, to authorize ourselves to be able to call the protected /weatherforecast endpoint.

/weatherforecast endpoint accessed

And that's pretty much it!

Summary

In this guide, we've explored Identity Endpoints in .NET 8 for user login and security. It's certainly easier to handle authentication and authorization with the recent improvements from Microsoft, and it sure seems like a very promising step in the right direction!

Top comments (2)

Collapse
 
yogini16 profile image
yogini16

Great article !!
Easy to understand. Thanks for sharing this

Collapse
 
grontis profile image
Grontis Kostis

Thanks!