长期潜伏者第一次海报..
尝试为 MVC 实现一个简单的自定义角色和成员资格提供程序。
已经实现了角色和成员资格提供者类并将它们连接到我的 web.config 中。添加了代码来针对自定义数据库验证我的用户,它工作正常。
但是,我不喜欢我的角色提供者在每个请求上访问数据库的方式,所以我添加了一些代码来尝试从身份验证票证中读取它,如下所示:
自定义角色提供者:
public override string[] GetRolesForUser(string username)
{
if (HttpContext.Current.User != null)
{
return ((UserPrincipal)HttpContext.Current.User).Roles.ToArray();
}
else
{
UserPrincipal user = orchestrator.GetUserByLoginID(username);
return user.Roles.ToArray();
}
}
然后我在 global.asax 中添加了这段代码,以使用自定义用户主体对象将角色和其他一些有用的用户信息保存到 cookie 中:
protected void Application_AuthenticateRequest(Object sender, EventArgs e)
{
HttpCookie authCookie = Request.Cookies[FormsAuthentication.FormsCookieName];
if (authCookie != null)
{
FormsAuthenticationTicket authTicket = FormsAuthentication.Decrypt(authCookie.Value);
JavaScriptSerializer serializer = new JavaScriptSerializer();
UserPrincipalModel userFromTicket = serializer.Deserialize<UserPrincipalModel>(authTicket.UserData);
UserPrincipal newUser = new UserPrincipal();
newUser.UserId = userFromTicket.UserId;
newUser.FullName = userFromTicket.Fullname;
newUser.Email = userFromTicket.Email;
newUser.Roles = userFromTicket.Roles;
newUser.Identity = new GenericIdentity(userFromTicket.Username);
HttpContext.Current.User = newUser;
}
}
我的用户主体类:
public class UserPrincipal : IPrincipal
{
public UserPrincipal() { }
public UserPrincipal(int userId, string userName, string fullName, string password)
{
UserId = userId;
UserName = userName;
FullName = fullName;
Password = password;
}
public virtual int UserId { get; set; }
public virtual string UserName { get; set; }
public virtual string FullName { get; set; }
public virtual string Email { get; set; }
public virtual string Password { get; set; }
public virtual IEnumerable<string> Roles { get; set; }
public virtual IIdentity Identity { get; set; }
public virtual bool IsInRole(string role)
{
if (Roles.Contains(role))
{
return true;
}
else
{
return false;
}
}
//public string[] GetRolesForUser()
//{
// return Roles;
//}
}
但是,当我运行此命令时,当角色提供者尝试访问 cookie 中的自定义 UserPrincipal 对象时,出现以下错误
“无法将‘System.Web.Security.RolePrincipal’类型的对象转换为‘MyApp.Domain.UserPrincipal’类型”
就像自定义角色提供者使用自己的角色特定主体覆盖存储在票证中的自定义用户主体一样。
只是想知道我正在尝试做的事情是否有缺陷,或者是否有更简单的方法。不想重新发明轮子。
任何人都有一个自定义角色提供程序的示例,它不会在每次请求角色时都访问数据库?