如何使用c#使用DomainName获取AD中的OU名称列表?

时间:2012-11-28 12:58:33

标签: c# active-directory

我想从Active Directory获取OU列表。

我只有域名。

我如何使用c#实现这一目标?

2 个答案:

答案 0 :(得分:7)

尝试这样的事情:

// connect to "RootDSE" to find default naming context
DirectoryEntry rootDSE = new DirectoryEntry("LDAP://RootDSE");

string defaultContext = rootDSE.Properties["defaultNamingContext"][0].ToString();

// bind to default naming context - if you *know* where you want to bind to - 
// you can just use that information right away
DirectoryEntry domainRoot = new DirectoryEntry("LDAP://" + defaultContext);

// set up directory searcher based on default naming context entry
DirectorySearcher ouSearcher = new DirectorySearcher(domainRoot);

// SearchScope: OneLevel = only immediate subordinates (top-level OUs); 
// subtree = all OU's in the whole domain (can take **LONG** time!)
ouSearcher.SearchScope = SearchScope.OneLevel;
// ouSearcher.SearchScope = SearchScope.Subtree;

// define properties to load - here I just get the "OU" attribute, the name of the OU
ouSearcher.PropertiesToLoad.Add("ou");

// define filter - only select organizational units
ouSearcher.Filter = "(objectCategory=organizationalUnit)";

// do search and iterate over results
foreach (SearchResult deResult in ouSearcher.FindAll())
{
    string ouName = deResult.Properties["ou"][0].ToString();
}

如果你有一个域名(例如mycompany.com),那么LDAP根域通常是将被称为dc=mycompany,dc=com - 这是一个约定,它不需要尽管如此。这就是我连接到LDAP://RootDSE虚拟LDAP根目录的原因,我读出了属性Default Naming Context,它给了我默认的LDAP路径。

如果你知道你想要连接的地方 - 可以跳过第一步,只提供有效的LDAP路径(例如LDAP://dc=YourCompany,dc=co,dc=jp或其他)来创建{{1目录条目。

答案 1 :(得分:3)

在项目中添加对System.DirectoryServices的引用

    public static List<string> ListOu()
    {
        List<string> ous = new List<string>();
        using (DirectoryEntry root = new DirectoryEntry("LDAP://dc=DOMAIN,dc=COM"))
        {
            DirectorySearcher searcher = new DirectorySearcher(root);
            searcher.Filter = "(&(objectClass=organizationalUnit))";
            searcher.SearchScope = SearchScope.Subtree;
            searcher.PropertiesToLoad.Add("distinguishedName");

            var result = searcher.FindAll();
            foreach (SearchResult entry in result)
            {
                ous.Add(entry.GetDirectoryEntry().Properties["distinguishedName"].Value.ToString());
            }        

            result.Dispose();
            searcher.Dispose();
        }
        return ous;
    }