gpt4 book ai didi

asp.net - 自定义 OWIN/Katana UserManager 工厂行为

转载 作者:行者123 更新时间:2023-12-04 16:52:34 25 4
gpt4 key购买 nike

网上有很多示例使用 OWIN/Katana 根据用户名/密码组合在数据库中查找用户并生成声明主体,例如...

var userManager = context.OwinContext.GetUserManager<ApplicationUserManager>();
ApplicationUser user = await userManager.FindAsync(context.UserName, context.Password);
// generate claims here...

如果您正在创建一个新的应用程序并希望 Entity Framework 完成这些繁琐的工作,那很好。但是,我有一个 8 年历史的单体网站,它刚刚更新为使用基于声明的身份验证。我们的数据库命中是通过 DAL/SQL 手动完成的,然后从那里生成 ClaimsIdentity。

有些人建议 OWIN 比我们的手动方法更易于使用,但我想从使用它的人那里得到一些意见。

是否可以更改 UserManager 工厂根据用户凭据查找用户的方式?或者,有没有我错过的另一种方法?我可以在网上找到的所有示例似乎都使用了让 Entity Framework 创建数据库和管理搜索的样板方法。

最佳答案

我想说,ASP.NET Identity 有点过于复杂。
2014 年 8 月,他们宣布了新版本 2.1事情又发生了变化。
首先让我们摆脱EntityFramework :

Uninstall-Package Microsoft.AspNet.Identity.EntityFramework

现在我们实现我们自己的 User 定义。实现接口(interface) IUser ( Microsoft.AspNet.Identity ):
public class User: IUser<int>
{
public User()
{
this.Roles = new List<string>();
this.Claims = new List<UserClaim>();
}

public User(string userName)
: this()
{
this.UserName = userName;
}

public User(int id, string userName): this()
{
this.Id = Id;
this.UserName = userName;
}

public int Id { get; set; }
public string UserName { get; set; }
public string PasswordHash { get; set; }

public bool LockoutEnabled { get; set; }
public DateTime? LockoutEndDateUtc { get; set; }
public bool TwoFactorEnabled { get; set; }

public IList<string> Roles { get; private set; }
public IList<UserClaim> Claims { get; private set; }
}

如您所见,我已经定义了我的 Id 的类型。 ( 整数 )。

然后你必须定义你的自定义 UserManager继承自 Microsoft.AspNet.Identity.UserManager指定您的用户类型和 key 类型。
public class UserManager : UserManager<User, int>
{
public UserManager(IUserStore<User, int> store): base(store)
{
this.UserLockoutEnabledByDefault = false;
// this.DefaultAccountLockoutTimeSpan = TimeSpan.FromMinutes(10);
// this.MaxFailedAccessAttemptsBeforeLockout = 10;
this.UserValidator = new UserValidator<User, int>(this)
{
AllowOnlyAlphanumericUserNames = false,
RequireUniqueEmail = false
};

// Configure validation logic for passwords
this.PasswordValidator = new PasswordValidator
{
RequiredLength = 4,
RequireNonLetterOrDigit = false,
RequireDigit = false,
RequireLowercase = false,
RequireUppercase = false,
};
}
}

我已经在这里实现了我的验证规则,但如果你愿意,你可以把它放在外面。
UserManager需要一个 UserStore ( IUserStore )。

您将在此处定义您的数据库逻辑。有几个接口(interface)需要实现。不过,并非所有这些都是强制性的。
public class UserStore : 
IUserStore<User, int>,
IUserPasswordStore<User, int>,
IUserLockoutStore<User, int>,
IUserTwoFactorStore<User, int>,
IUserRoleStore<User, int>,
IUserClaimStore<User, int>
{

// You can inject connection string or db session
public UserStore()
{
}

}

我没有包含每个接口(interface)的所有方法。完成后,您将能够编写新用户:
public System.Threading.Tasks.Task CreateAsync(User user)
{
}

通过 ID 获取它:
public System.Threading.Tasks.Task<User> FindByIdAsync(int userId)
{
}

等等。

然后你需要定义你的 SignInManager继承自 Microsoft.AspNet.Identity.Owin.SignInManager .
public class SignInManager: SignInManager<User, int>
{
public SignInManager(UserManager userManager, IAuthenticationManager authenticationManager): base(userManager, authenticationManager)
{
}

public override Task SignInAsync(User user, bool isPersistent, bool rememberBrowser)
{
return base.SignInAsync(user, isPersistent, rememberBrowser);
}
}

我只实现了 SignInAsync :它将生成一个 ClaimsIdentity .

差不多就是这样。

现在在您的 Startup你必须告诉的类(class) Owin如何创建 UserManagerSignInManager .
app.CreatePerOwinContext<Custom.Identity.UserManager>(() => new Custom.Identity.UserManager(new Custom.Identity.UserStore()));
// app.CreatePerOwinContext<Custom.Identity.RoleManager>(() => new Custom.Identity.RoleManager(new Custom.Identity.RoleStore()));
app.CreatePerOwinContext<Custom.Identity.SignInService>((options, context) => new Custom.Identity.SignInService(context.GetUserManager<Custom.Identity.UserManager>(), context.Authentication));

我没有使用你会在默认模板中找到的工厂,因为我想让事情尽可能简单。

并使您的应用程序能够使用 cookie:
app.UseCookieAuthentication(new CookieAuthenticationOptions
{
AuthenticationType = DefaultAuthenticationTypes.ApplicationCookie,
LoginPath = new PathString("/Account/Login"),
Provider = new CookieAuthenticationProvider
{
// Enables the application to validate the security stamp when the user logs in.
// This is a security feature which is used when you change a password or add an external login to your account.
OnValidateIdentity = SecurityStampValidator.OnValidateIdentity<Custom.Identity.UserManager, Custom.Identity.User, int>(
validateInterval: TimeSpan.FromMinutes(30),
regenerateIdentityCallback: (manager, user) =>
{
var userIdentity = manager.CreateIdentityAsync(user, DefaultAuthenticationTypes.ApplicationCookie);
return (userIdentity);
},
getUserIdCallback: (id) => (Int32.Parse(id.GetUserId()))
)}
});

现在在您的帐户 Controller - 或负责登录的 Controller - 您将必须获得 UserManagerSignInManager :
public Custom.Identity.SignInManager SignInManager
{
get
{
return HttpContext.GetOwinContext().Get<Custom.Identity.SignInManager>();
}
}

public Custom.Identity.UserManager UserManager
{
get
{
return HttpContext.GetOwinContext().GetUserManager<Custom.Identity.UserManager>();
}
}

您将使用 SignInManager登录:
var result = await SignInManager.PasswordSignInAsync(model.Email, model.Password, model.RememberMe, shouldLockout: false);

UserManager创建用户,添加角色和声明:
if (ModelState.IsValid)
{
var user = new Custom.Identity.User() { UserName = model.Email };

var result = await UserManager.CreateAsync(user, model.Password);
if (result.Succeeded)
{
// await UserManager.AddToRoleAsync(user.Id, "Administrators");
// await UserManager.AddClaimAsync(user.Id, new System.Security.Claims.Claim(System.Security.Claims.ClaimTypes.Country, "England"));

await SignInManager.SignInAsync(user, isPersistent:false, rememberBrowser:false);

return RedirectToAction("Index", "Home");
}
AddErrors(result);
}

这似乎很复杂......而且它......有点。

如果你想了解更多,这里有一个很好的解释 herehere .

如果你想运行一些代码并看看它是如何工作的,我整理了一些 codeBiggy 一起使用(因为我不想浪费太多时间来定义表格和类似的东西)。

如果您有机会从 github 存储库下载我的代码,您会注意到我创建了一个辅助项目 (Custom.Identity),我在其中保存了我所有的 ASP.NET 身份 东西。

唯一的 nuget 您将需要的软件包有:
  • Microsoft.AspNet.Identity.Core
  • Microsoft.AspNet.Identity.Owin
  • 关于asp.net - 自定义 OWIN/Katana UserManager 工厂行为,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/27825001/

    25 4 0
    Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
    广告合作:1813099741@qq.com 6ren.com