5

我为我的 MVC 项目开发了一个简单的IIdentityandIPrincipal我想覆盖UserandUser.Identity以正确的类型返回值

这是我的自定义身份:

public class MyIdentity : IIdentity
{
    public MyIdentity(string name, string authenticationType, bool isAuthenticated, Guid userId)
    {
        Name = name;
        AuthenticationType = authenticationType;
        IsAuthenticated = isAuthenticated;
        UserId = userId;
    }

    #region IIdentity
    public string Name { get; private set; }
    public string AuthenticationType { get; private set; }
    public bool IsAuthenticated { get; private set; }
    #endregion

    public Guid UserId { get; private set; }
}

这是我的自定义校长:

public class MyPrincipal : IPrincipal
{
    public MyPrincipal(IIdentity identity)
    {
        Identity = identity;
    }


    #region IPrincipal
    public bool IsInRole(string role)
    {
        throw new NotImplementedException();
    }

    public IIdentity Identity { get; private set; }
    #endregion
}

这是我的自定义控制器,我成功更新了User属性以返回我的自定义主体类型:

public abstract class BaseController : Controller
{
    protected new virtual MyPrincipal User
    {
        get { return HttpContext == null ? null : HttpContext.User as MyPrincipal; }
    }
}

如何以相同的方式User.Identity返回我的自定义身份类型?

4

2 回答 2

3

您可以IPrincipal在您的MyPrincipal类中显式实现,并添加您自己Identity的 type 属性MyIdentity

public class MyPrincipal : IPrincipal 
{
    public MyPrincipal(MyIdentity identity)
    {
        Identity = identity;

    }

    public MyIdentity Identity {get; private set; }

    IIdentity IPrincipal.Identity { get { return this.Identity; } }

    public bool IsInRole(string role)
    {
        throw new NotImplementedException();
    }
}
于 2012-11-20T15:25:10.897 回答
1

您在问一些没有明确演员表就无法完成的事情

public class MyClass
{
    private SomeThing x;
    public ISomeThing X { get { return x; } }
}

当你打电话时MyClass.X,你会得到一个ISomeThing,而不是一个SomeThing。你可以做一个明确的演员,但这有点笨拙。

MyClass myClass = new MyClass();
SomeThing someThing = (SomeThing)(myClass.X);

理想情况下,您存储的价值IPrincipal.Name将是独一无二的。如果“jdoe”在您的应用程序中不是唯一的,那么您的IPrincipal.Name属性如果存储用户 ID 会更好。在您的情况下,这似乎是一个 GUID。

于 2012-11-20T15:13:48.863 回答