ユーザーがロールに参加しているかどうかを確認する良い方法は次のとおりです。
if (User.IsInRole("Admin"))
{
}
ただし、ユーザーが「作成者」、「管理者」、または「スーパー」のいずれかの役割を持っているかどうかを確認するにはどうすればよいですか?これを行う方法はありますかロールごとに「User.IsInRole」をコーディングせずに?
編集:各ロールをコーディングせずに、LINQ拡張メソッドを次のように実行します:
private static bool IsInAnyRole(this IPrincipal user, List<string> roles)
{
var userRoles = Roles.GetRolesForUser(user.Identity.Name);
return userRoles.Any(u => roles.Contains(u));
}
使用方法については、次を実行します。
var roles = new List<string> { "Admin", "Author", "Super" };
if (user.IsInAnyRole(roles))
{
//do something
}
または、拡張メソッドなし:
var roles = new List<string> { "Admin", "Author", "Super" };
var userRoles = Roles.GetRolesForUser(User.Identity.Name);
if (userRoles.Any(u => roles.Contains(u))
{
//do something
}
ユーザーが複数のロールに属しているかどうかを確認する組み込みの方法はありませんが、それを処理するNice拡張メソッドを作成するのは簡単です。
public static bool IsInAnyRole(this IPrincipal principal, params string[] roles)
{
return roles.Any(principal.IsInRole);
}
使用方法は次のとおりです。
if (User.IsInAnyRole("Admin", "Author", "SuperUser"))
{
}
私はmattytommoの答えについて少し詳しく説明したかったのですが、ここで私が使用するものは次のとおりです。
拡張方法:
public static bool IsInAnyRole(this IPrincipal user, string[] roles)
{
//Check if authenticated first (optional)
if (!user.Identity.IsAuthenticated) return false;
var userRoles = Roles.GetRolesForUser(user.Identity.Name);
return userRoles.Any(roles.Contains);
}
定数:
public static class Role
{
public const string Administrator = "Administrator";
public const string Moderator = "Moderator";
}
使用法:
if (User.IsInAnyRole(new [] {Role.Administrator,Role.Moderator}))
{
//Do stuff
}
私の場合、ユーザーごとに1つのロールがあります。だから私はこのようにしました:
if (User.Roles.FirstOrDefault().RoleId == "7b433246-5881-4ace-bbaa-e5514191171c") {
//Do something
}
使用することもできます
if(Roles.GetRolesForUser(model.UserName).Contains("Admin")){
}
この簡単な方法を使用してください:
@using Microsoft.AspNet.Identity
@if (Request.IsAuthenticated)
{
if (User.IsInRole("Administrator") || User.IsInRole("Moderator"))
{
... Your code here
}
}
以下のコードを使用しました。私の場合、web.configから読み取られるパラメーターとして、セミコロンで区切られた文字列がありました。リストを渡す場合、以下のコードを簡単に変更できます。
public class ActiveDirectoryGroup
{
public static bool IsInAnyRole(string adRoles)
{
return adRoles.Split(Convert.ToChar(";")).Any(role => !string.IsNullOrEmpty(role.Trim()) && HttpContext.Current.User.IsInRole(role.Trim()));
//If list is passed use below
//return listParameter.Any(role => !string.IsNullOrEmpty(role.Trim()) && HttpContext.Current.User.IsInRole(role.Trim()));
}
}
Web.configで:
<appSettings>
<add key="ADGroup" value="Domain\Admin;Domain\Supervisor;Domain\Manager;" />
</appSettings>
私は私のページのロードで以下のようにそれを使用しました:
if (ActiveDirectoryGroup.IsInAnyRole(ConfigurationManager.AppSettings["ADGroup"]))
{
//do something
}