Extending the ASP.NET Core Identity UserManager to set the Employee Id during registration

Hooking into the registration process allows for customisation, and integration with other parts of the system

In previous posts I looked at adding a custom property to the ASP.NET Core Identity user, along with reading and writing the property for a logged in user. The next logical step, assuming that the notional HR application is "self-service" for registrations would be to set the EmployeeId property during identity creation. This requires a custom implementation of the UserManager class. This also allows the link between identity (logins) and those who should be allowed to register to be tightened up, meaning that new-starters would be able to register as part of their day one process - assuming the mythical HR department in this story are being diligent about putting employees information into their system before they arrive!

Related posts:

  1. Taking the GUID out of ASP.NET Core Identity
  2. Splitting out ASP.NET Core Identity into a separate library
  3. Extending the ASP.NET Core Identity user
  4. Reading and writing custom ASP.NET Core Identity user properties
  5. Extending the ASP.NET Core Identity UserManager to set the Employee Id during registration (this post)
  6. The finishing touches to hooking into ASP.NET Core Identity user creation

Extending the UserManager

The first thing to do is spin-up a new class that inherits from the built-in UserManager, which I'm going to type against my ApplicationIdentityUser so that it's fully aware of the additional properties I've added, rather than having to cast to/from inside the code:

public class ApplicationIdentityUserManager : UserManager<ApplicationIdentityUser>
{
    public ApplicationIdentityUserManager(IUserStore<ApplicationIdentityUser> store, IOptions<IdentityOptions> optionsAccessor, 
        IPasswordHasher<ApplicationIdentityUser> passwordHasher, IEnumerable<IUserValidator<ApplicationIdentityUser>> userValidators, 
        IEnumerable<IPasswordValidator<ApplicationIdentityUser>> passwordValidators, ILookupNormalizer keyNormalizer, 
        IdentityErrorDescriber errors, IServiceProvider services, ILogger<UserManager<ApplicationIdentityUser>> logger) : base(store, optionsAccessor, passwordHasher, userValidators, passwordValidators, keyNormalizer, errors, services, logger)
    {
    }
}

The constructor was automatically generated for me by Visual Studio using the Generate Constructor Quick Action (tip: You can make the list of available quick actions appear by pressing CTRL-ENTER) which removes this ugly attack of the red squiggle:

Visual Studio, well the Rosyln language service/compiler thing couldn't resolve all the generic types without the constructor being declared

That was likely necessary to allow the resolution of all the various different generic type parameters that a concrete inplementation of UserManager requires.

Before I start adding code of any consequence to my custom UserManager, I want to make sure I can wire it into the application without things blowing up on me. In order to tell ASP.NET Core to use it, a small tweak to the ConfigureServices method in Startup.cs needs to be made, by adding a call to the extension method AddUserManager:

services.AddDefaultIdentity<ApplicationIdentityUser>()
    .AddEntityFrameworkStores<ApplicationDbContext>()
    .AddUserManager<ApplicationIdentityUserManager>();

With that in place I'm going to start simple by putting a breakpoint on the constructor and running the application up. Hitting F5 (and then doing it again because I forgot to set the startup project as the Web App) spun everything up with the breakpoint in the constructor being hit a few seconds later, so that's a successful test.

So now I've got a customer UserManager created and hooked-up, the question becomes what to extend to achieve what I'm after? As my objective is to tweak the registration process, a look through the list of overridable methods suggests that there are a couple of likely candidates:

Task<IdentityResult> CreateAsync(ApplicationIdentityUser user)
Task<IdentityResult> CreateAsync(ApplicationIdentityUser user, string password)

I'll start off by overriding both, setting a breakpoint in each and seeing which one (or both!) gets hit during the process of registering a new user.

Visual Studio showing via the Call Stack window that both the CreateUser methods get called

As you can see from the stack trace, both actually get called. The method that just takes an instance of ApplicationIdentityUser gets called last, of the two, by which point the instance that's being passed around contains a hashed version of the users password. Because of that it seems eminently sensible to me to override the CreateAsync method that doesn't accept the users password as a parameter. If I don't have any code in the path that has access to it, I can't do anything stupid with it like write it to a log file on the web server ready for someone to download!

For simplicities sake I'm going to make a very simple change to the CreateUser method to populate the EmployeeId property and ensure it takes:

public override async Task<IdentityResult> CreateAsync(ApplicationIdentityUser user)
{
    //TODO: Something sensible
    user.EmployeeId = DateTime.Now.Millisecond;
    return await base.CreateAsync(user);
}

With that code in place, registering yet another new user certainly looks like it's worked as the home page after registration completes is showing the number 446 which I'm going to assume is the number of milliseconds of the Now when I registered the user.

As well as modifying the user before it's written to the store, the attempt to create the user can also be rejected by returning from IdentityResult.Failed instead of calling down and returning the result of calling base.CreateAsync. You do have to call the static Failed method on IdentityResult, neither of the instance properties have public setters. Say, 

public override async Task<IdentityResult> CreateAsync(ApplicationIdentityUser user)
{
    if (!user.UserName.Contains("allowed"))
    {
        return IdentityResult.Failed(new IdentityError { Description = "User names must contain the string 'allowed'" });
    }

    user.EmployeeId = DateTime.Now.Millisecond;
    return await base.CreateAsync(user);
}

If a user tries to register who doesn't have the string allowed in their email address, they'll receive an error message telling them this. This is the place where hooking it all together by integrating the Identity Database and Application Database will happen!

About Rob

I've been interested in computing since the day my Dad purchased his first business PC (an Amstrad PC 1640 for anyone interested) which introduced me to MS-DOS batch programming and BASIC.

My skillset has matured somewhat since then, which you'll probably see from the posts here. You can read a bit more about me on the about page of the site, or check out some of the other posts on my areas of interest.

2 Comments

  • Gravatar Image

    Hey Rob, This is really good article and It helps me lot to make custom class for User.

    In Aspnet.Identity we have a manager class with custom TKey (to set primary key of user table as Int or any other rather than default string) UserManager<TUser, TKey>


    But in AspnetCore.Identity we have manager class like UserManager<TUser> so how to set UserId as Int with core?


    basically I was trying to override await base.FindByIdAsync((int)userId); But it fails. Do you have any idea to use Int ?

  • Gravatar Image

    I know it's an old post but it gave me just the one thing I needed to know - configuring identity to take in custom providers - without having to read through a bunch of long winded posts and do a tutorial.

Add a Comment