Search code examples
c#dnssharepoint-2010active-directory-group

Getting members of an AD domain group using Sharepoint API


In my Sharepoint code I display a list of all defined users via:

foreach (SPUser user in SPContext.Current.Web.AllUsers)
{
    ...
}

The great part is, I can add a domain security group to a Sharepoint group (like Visitors) thus adding many users at once (simpler administration). But my code doesn't see those users at least not until they log-in for the first time (if they have sufficient rights). In this case I can only see the domain security group SPUser object instance with its IsDomainGroup set to true.

Is it possible to get domain group members by means of Sharepoint without resorting to Active Directory querying (which is something I would rather avoid because you probably need sufficient rights to do such operations = more administration: Sharepoint rights + AD rights).


Solution

  • You can use the method SPUtility.GetPrincipalsInGroup (MSDN).

    All parameters are self-explaining except string input, which is the NT account name of the security group:

    bool reachedMaxCount;
    SPWeb web = SPContext.Current.Web;
    int limit = 100;
    string group = "Domain\\SecurityGroup";
    SPPrincipalInfo[] users = SPUtility.GetPrincipalsInGroup(web, group, limit, out reachedMaxCount);
    

    Please note that this method does not resolve nested security groups. Further the executing user is required to have browse user info permission (SPBasePermissions.BrowseUserInfo) on the current web.

    Update:

    private void ResolveGroup(SPWeb w, string name, List<string> users)
    {
        foreach (SPPrincipalInfo i in SPUtility.GetPrincipalsInGroup(w, name, 100, out b))
        {
            if (i.PrincipalType == SPPrincipalType.SecurityGroup)
            {
              ResolveGroup(w, i.LoginName, users);
            }
            else
            {
              users.Add(i.LoginName);
            }
        }
    }
    
    List<string> users = new List<string>();
    foreach (SPUser user in SPContext.Current.Web.AllUsers)
    {
      if (user.IsDomainGroup)
        {
          ResolveGroup(SPContext.Current.Web, user.LoginName, users);
        }
        else
        {
          users.Add(user.LoginName);
        }
    }
    

    Edit:

    [...] resorting to Active Directory querying (which is something I would rather avoid because you probably need sufficient rights to do such operations [...]

    That's true, of course, but SharePoint has to lookup the AD as well. That's why a application pool service account is required to have read access to the AD. In other words, you should be safe executing queries against the AD if you run your code reverted to the process account.