ASP.NET Identity
last modified April 3, 2025
In this article, we explore ASP.NET Identity in .NET 8. Identity is a membership system for adding login functionality to ASP.NET applications.
ASP.NET Identity provides a robust framework for managing users, passwords, profile data, roles, claims, tokens, and more. It supports external logins and two-factor authentication.
Basic Definition
ASP.NET Identity is a modern authentication system for ASP.NET applications. It replaces the older ASP.NET Membership system with more flexible architecture.
Identity supports various storage providers including SQL Server, Azure Table Storage, and NoSQL databases. It's designed to work with OWIN middleware.
Key features include user management, role-based authorization, claims-based authentication, and external provider integration. It's highly customizable.
ASP.NET Identity Example
The following example demonstrates setting up ASP.NET Identity in a .NET 8 application with user registration and login.
var builder = WebApplication.CreateBuilder(args); // Add services to the container builder.Services.AddDbContext<ApplicationDbContext>(options => options.UseSqlServer(builder.Configuration.GetConnectionString("DefaultConnection"))); builder.Services.AddIdentity<IdentityUser, IdentityRole>() .AddEntityFrameworkStores<ApplicationDbContext>() .AddDefaultTokenProviders(); builder.Services.AddControllersWithViews(); var app = builder.Build(); // Configure the HTTP request pipeline if (!app.Environment.IsDevelopment()) { app.UseExceptionHandler("/Home/Error"); app.UseHsts(); } app.UseHttpsRedirection(); app.UseStaticFiles(); app.UseRouting(); app.UseAuthentication(); app.UseAuthorization(); app.MapControllerRoute( name: "default", pattern: "{controller=Home}/{action=Index}/{id?}"); app.Run();
This sets up the basic configuration for ASP.NET Identity. The
AddIdentity
method configures the identity services with default
user and role types.
using Microsoft.AspNetCore.Identity.EntityFrameworkCore; using Microsoft.EntityFrameworkCore; public class ApplicationDbContext : IdentityDbContext { public ApplicationDbContext(DbContextOptions<ApplicationDbContext> options) : base(options) { } protected override void OnModelCreating(ModelBuilder builder) { base.OnModelCreating(builder); // Customize the ASP.NET Identity model if needed } }
The IdentityDbContext
provides all the database tables needed for
Identity. It inherits from DbContext
with Identity-specific
configuration.
using Microsoft.AspNetCore.Identity; using Microsoft.AspNetCore.Mvc; public class AccountController : Controller { private readonly UserManager<IdentityUser> _userManager; private readonly SignInManager<IdentityUser> _signInManager; public AccountController( UserManager<IdentityUser> userManager, SignInManager<IdentityUser> signInManager) { _userManager = userManager; _signInManager = signInManager; } [HttpGet] public IActionResult Register() { return View(); } [HttpPost] public async Task<IActionResult> Register(RegisterViewModel model) { if (ModelState.IsValid) { var user = new IdentityUser { UserName = model.Email, Email = model.Email }; var result = await _userManager.CreateAsync(user, model.Password); if (result.Succeeded) { await _signInManager.SignInAsync(user, isPersistent: false); return RedirectToAction("Index", "Home"); } foreach (var error in result.Errors) { ModelState.AddModelError(string.Empty, error.Description); } } return View(model); } [HttpGet] public IActionResult Login() { return View(); } [HttpPost] public async Task<IActionResult> Login(LoginViewModel model) { if (ModelState.IsValid) { var result = await _signInManager.PasswordSignInAsync( model.Email, model.Password, model.RememberMe, lockoutOnFailure: false); if (result.Succeeded) { return RedirectToAction("Index", "Home"); } ModelState.AddModelError(string.Empty, "Invalid login attempt."); } return View(model); } [HttpPost] public async Task<IActionResult> Logout() { await _signInManager.SignOutAsync(); return RedirectToAction("Index", "Home"); } }
This controller demonstrates user registration, login, and logout functionality.
The UserManager
handles user creation while SignInManager
manages authentication.
The Register
action creates new users with email and password. The
Login
action authenticates users using credentials. Both actions
follow the standard Identity patterns.
Error handling is built into the Identity system. Errors during user creation or authentication are added to ModelState for display in the view.
Source
Microsoft ASP.NET Core Identity Documentation
In this article, we have explored ASP.NET Identity in .NET 8. This powerful framework provides comprehensive authentication and authorization features.
Author
List all ASP.NET tutorials.