我一直在学习开箱即用的Owin Identity,我喜欢它为我们提供用户管理的易用性。然后我遇到的问题是它通过我不想要的ApplicationDbContext
直接与 EF(似乎)交互。我更喜欢使用我的 3 层架构,即它与与 EF 交互的服务层 (BLL) 交互。我找不到模板、教程,甚至找不到起点来维护提供的所有功能并实现我想要的分离。
那么有没有办法使用服务层来代替MVC身份包中的ApplicationDbContext
。
如果要使用现有的数据库/表,则不必使用整个 ASP.Net 标识。相反,您可以只使用 Owin Cookie 身份验证中间件。
我在 GitHub 上有工作示例代码。如果要测试它,只需在 AccountController.cs 设置一个断点,然后返回 true。
以下是配置中间件和登录的两个主要类。
启动.cs
public class Startup
{
public void Configuration(IAppBuilder app)
{
app.UseCookieAuthentication(new CookieAuthenticationOptions
{
AuthenticationType = "ApplicationCookie",
LoginPath = new PathString("/Account/Login")
});
}
}
欧文认证服务.cs
public class OwinAuthenticationService : IAuthenticationService
{
private readonly HttpContextBase _context;
private const string AuthenticationType = "ApplicationCookie";
public OwinAuthenticationService(HttpContextBase context)
{
_context = context;
}
public void SignIn(User user)
{
IList<Claim> claims = new List<Claim>
{
new Claim(ClaimTypes.Name, user.UserName),
new Claim(ClaimTypes.GivenName, user.FirstName),
new Claim(ClaimTypes.Surname, user.LastName),
};
ClaimsIdentity identity = new ClaimsIdentity(claims, AuthenticationType);
IOwinContext context = _context.Request.GetOwinContext();
IAuthenticationManager authenticationManager = context.Authentication;
authenticationManager.SignIn(identity);
}
public void SignOut()
{
IOwinContext context = _context.Request.GetOwinContext();
IAuthenticationManager authenticationManager = context.Authentication;
authenticationManager.SignOut(AuthenticationType);
}
}