有效检查角色声明

时间:2016-01-29 14:49:45

标签: c# asp.net asp.net-mvc authentication claims

我正在开发一个Asp.NET MVC5 Web应用程序(.NET 4.6),我需要向具有特定声明的一组用户显示一些额外的HTML行。我已经看到了一些冗长的解决方案,但我更喜欢保持简短,所以我想出了这个

@{
    if (System.Security.Claims.ClaimsPrincipal.Current.Claims.ToList().FirstOrDefault(c => c.Type == "role" && c.Value == "AwesomeUserRole") != null) {
        <!-- my HTML goes here -->
    }
 }

这是检查经过身份验证的用户声明的好方法,还是有最佳做法可以效仿?任何更清洁/更有效的解决方案也是受欢迎的。

2 个答案:

答案 0 :(得分:18)

由于ASP.NET中的所有Identity对象现在都是ClaimsIdentity,因此您始终可以将当前IPrincipal转换为ClaimsIdentity

((System.Security.Claims.ClaimsIdentity)User.Identity).HasClaim("role", "AwesomeUserRole")

但实际上最简单的方法是使用User.IsInRole("AwesomeUserRole")

只要您没有更改默认配置,类型为role的声明就会自动输入到线程主体的roles集合中。

如果您需要检查除角色之外的其他声明类型,我通常会为IPrincipal创建一组包含声明检查的扩展方法:

public static bool CanDoX(this IPrincipal principal)
{
    return ((ClaimsIdentity)principal.Identity).HasClaim(claimType, claimValue);
}

扩展方法的好处是您可以检查任何类型的声明并返回它们可能包含的任何值,而不仅仅是声明是否存在。

答案 1 :(得分:12)

请记住,校长可以拥有多个与之相关的身份,例如您已通过Windows身份验证进行身份验证,但随后添加了自定义标识以及数据库中的声明。

因此,任何索赔检查都可能需要查看所有身份,这里有几种有助于提升的方法

public static bool ClaimExists(this IPrincipal principal, string claimType)
{
    var ci = principal as ClaimsPrincipal;
    if (ci == null)
    {
        return false;
    }

    var claim = ci.Claims.FirstOrDefault(x => x.Type == claimType);

    return claim != null;
}

public static bool HasClaim(this IPrincipal principal, string claimType,
                            string claimValue, string issuer = null)
{
    var ci = principal as ClaimsPrincipal;
    if (ci == null)
    {
        return false;
    }

    var claim = ci.Claims.FirstOrDefault(x => x.Type == claimType
                                         && x.Value == claimValue
                                         && (issuer == null || x.Issuer == issuer));

    return claim != null;
}