在管理用户及其角色时,拥有一种有效检索两者的机制至关重要。本文深入探讨了如何使用 Identity Framework 在 .NET Core 2.1 中完成此任务。
一种常见方法涉及修改 ApplicationUser 类以包含 Roles 属性。但是,.NET Core 不再支持此功能。尝试使用此实现将导致在查询中包含角色时出错。
要解决此问题,需要自定义关系表。该表将连接 ApplicationUser 和 IdentityRole 表,使我们能够检索用户及其关联的角色。
以下实体定义此关系:
必须更新 ApplicationDbContext 以处理这些实体及其关系:
public class ApplicationDbContext : IdentityDbContext<ApplicationUser, ApplicationRole, string> { protected override void OnModelCreating(ModelBuilder builder) { // Define the relationship between ApplicationUser and ApplicationUserRole builder.Entity<ApplicationUserRole>() .HasKey(ur => new { ur.UserId, ur.RoleId }); builder.Entity<ApplicationUserRole>() .HasOne(ur => ur.User) .WithMany(u => u.UserRoles) .HasForeignKey(ur => ur.UserId) .IsRequired(); builder.Entity<ApplicationUserRole>() .HasOne(ur => ur.Role) .WithMany(r => r.UserRoles) .HasForeignKey(ur => ur.RoleId) .IsRequired(); } }
为了检索用户及其关联的角色,将以下代码添加到 Razor页面:
public IActionResult OnGetAsync() { this.Users = userManager.Users .Include(u => u.UserRoles) .ThenInclude(ur => ur.Role) .ToList(); return Page(); }
“.Include(u => u.UserRoles)”部分急切地加载每个用户的 UserRoles。 “.ThenInclude(ur => ur.Role)”部分进一步急切地加载每个 UserRole 的 Role。这确保了用户及其角色在模型中可用。
以上是如何在.NET Core 2.1中高效检索用户及其关联角色?的详细内容。更多信息请关注PHP中文网其他相关文章!