Jeśli korzystasz z platformy .NET 3.5 lub System.DirectoryServices.AccountManagement
nowszej , możesz użyć nowej przestrzeni nazw (S.DS.AM), która znacznie ułatwia to niż dawniej.
Przeczytaj wszystko na ten temat tutaj: Managing Directory Security Principals w .NET Framework 3.5
Aktualizacja: starsze artykuły z magazynu MSDN nie są już dostępne online, niestety - musisz pobrać CHM dla magazynu MSDN ze stycznia 2008 od firmy Microsoft i przeczytać tam artykuł.
Zasadniczo musisz mieć „główny kontekst” (zwykle jest to Twoja domena), nazwę użytkownika, a wtedy możesz bardzo łatwo uzyskać jego grupy:
public List<GroupPrincipal> GetGroups(string userName)
{
List<GroupPrincipal> result = new List<GroupPrincipal>();
// establish domain context
PrincipalContext yourDomain = new PrincipalContext(ContextType.Domain);
// find your user
UserPrincipal user = UserPrincipal.FindByIdentity(yourDomain, userName);
// if found - grab its groups
if(user != null)
{
PrincipalSearchResult<Principal> groups = user.GetAuthorizationGroups();
// iterate over all groups
foreach(Principal p in groups)
{
// make sure to add only group principals
if(p is GroupPrincipal)
{
result.Add((GroupPrincipal)p);
}
}
}
return result;
}
i to wszystko! Masz teraz wynik (listę) grup autoryzacji, do których należy użytkownik - iteruj po nich, wydrukuj ich nazwy lub cokolwiek musisz zrobić.
Aktualizacja: Aby uzyskać dostęp do niektórych właściwości, które nie są widoczne na UserPrincipal
obiekcie, musisz zagłębić się w podłoże DirectoryEntry
:
public string GetDepartment(Principal principal)
{
string result = string.Empty;
DirectoryEntry de = (principal.GetUnderlyingObject() as DirectoryEntry);
if (de != null)
{
if (de.Properties.Contains("department"))
{
result = de.Properties["department"][0].ToString();
}
}
return result;
}
Aktualizacja nr 2: wydaje się, że nie powinno być zbyt trudno połączyć te dwa fragmenty kodu ... ale ok - gotowe:
public string GetDepartment(string username)
{
string result = string.Empty;
// if you do repeated domain access, you might want to do this *once* outside this method,
// and pass it in as a second parameter!
PrincipalContext yourDomain = new PrincipalContext(ContextType.Domain);
// find the user
UserPrincipal user = UserPrincipal.FindByIdentity(yourDomain, username);
// if user is found
if(user != null)
{
// get DirectoryEntry underlying it
DirectoryEntry de = (user.GetUnderlyingObject() as DirectoryEntry);
if (de != null)
{
if (de.Properties.Contains("department"))
{
result = de.Properties["department"][0].ToString();
}
}
}
return result;
}
UserPrincipal
- zobacz moją zaktualizowaną odpowiedź, aby dowiedzieć się, jak to zrobić.