26

sAMAccountName とドメインで LDAP ストアのクエリを実行するにはどうすればよいですか? Active Directory または LDAP 用語で名前が付けられた「ドメイン」プロパティは何ですか?

これは、これまでのところフィルター用に持っているものです。ドメインに追加できるようにしたい:

(&(objectCategory=Person)(sAMAccountName=BTYNDALL))
4

7 に答える 7

26

まず、連絡先ではなくユーザーのみを検索するように検索フィルターを変更します。

(&(objectCategory=person)(objectClass=user)(sAMAccountName=BTYNDALL))

構成パーティションに接続し、パーティション コンテナー内のすべてのエントリを列挙することで、フォレストのすべてのドメインを列挙できます。申し訳ありませんが、現在 C# コードはありませんが、過去に使用した vbscript コードをいくつか示します。

Set objRootDSE = GetObject("LDAP://RootDSE")
AdComm.Properties("Sort on") = "name"
AdComm.CommandText = "<LDAP://cn=Partitions," & _
    objRootDSE.Get("ConfigurationNamingContext") & ">;" & _
        "(&(objectcategory=crossRef)(systemFlags=3));" & _
            "name,nCName,dnsRoot;onelevel"
set AdRs = AdComm.Execute

そこから、各パーティションの名前と dnsRoot を取得できます。

AdRs.MoveFirst
With AdRs
  While Not .EOF
    dnsRoot = .Fields("dnsRoot")

    Set objOption = Document.createElement("OPTION")
    objOption.Text = dnsRoot(0)
    objOption.Value = "LDAP://" & dnsRoot(0) & "/" & .Fields("nCName").Value
    Domain.Add(objOption)
    .MoveNext 
  Wend 
End With
于 2009-02-04T22:27:00.203 に答える
10

ユーザーを検索する最良の方法は、.(sAMAccountType=805306368)

または無効なユーザーの場合:

(&(sAMAccountType=805306368)(userAccountControl:1.2.840.113556.1.4.803:=2))

またはアクティブなユーザーの場合:

(&(sAMAccountType=805306368)(!(userAccountControl:1.2.840.113556.1.4.803:=2)))

私は、LDAP がそれほど軽くないことを発見しました。

また、一般的な LDAP クエリのリソースです。自分で検索しようとすると、貴重な時間を失い、間違いなく間違いを犯します。

distinguisedNameドメインに関して: ドメインはユーザー( DN) の一部であり、Microsoft AD では部分一致で検索できないため、単一のクエリでは不可能です。

于 2012-04-07T09:43:27.577 に答える
5

「ドメイン」はLDAPオブジェクトのプロパティではありません。これは、オブジェクトが格納されているデータベースの名前に似ています。

したがって、そのデータベースで検索を実行するには、適切なデータベースに接続する必要があります(LDAP用語では「ドメイン/ディレクトリサーバーにバインド」)。

正常にバインドすると、現在の形のクエリで十分です。

ところで:選択"ObjectCategory=Person"すること"ObjectClass=user"は良い決断でした。ADでは、前者は優れたパフォーマンスを備えた「インデックス付きプロパティ」であり、後者はインデックス付けされておらず、少し遅くなります。

于 2009-02-03T18:13:53.773 に答える
3

.NET を使用している場合は、DirectorySearcherクラスを使用します。ドメインを文字列としてコンストラクターに渡すことができます。

// if you domain is domain.com...
string username = "user"
string domain = "LDAP://DC=domain,DC=com";
DirectorySearcher search = new DirectorySearcher(domain);
search.Filter = "(SAMAccountName=" + username + ")";
于 2009-02-03T17:30:04.093 に答える
3

ドメインで検索を実行する必要があります。

http://msdn.microsoft.com/en-us/library/ms677934(VS.85).aspx したがって、基本的に、このドメイン内を検索するには、ドメインにバインドする必要があります。

于 2009-02-03T17:26:15.163 に答える
1

を組み込んだC#クラスを作成しました

  • Dscoduc のアルゴリズム、
  • sorin からのクエリ最適化、
  • ドメインからサーバーへのマッピングのキャッシュ、および
  • DOMAIN\sAMAccountName 形式のアカウント名を検索するメソッド。

ただし、サイト対応ではありません。

using System;
using System.Collections.Generic;
using System.DirectoryServices;
using System.Linq;
using System.Text;

public static class ADUserFinder
{
    private static Dictionary<string, string> _dictDomain2LDAPPath;

    private static Dictionary<string, string> DictDomain2LDAPPath
    {
        get
        {
            if (null == _dictDomain2LDAPPath)
            {
                string configContainer;
                using (DirectoryEntry rootDSE = new DirectoryEntry("LDAP://RootDSE"))
                    configContainer = rootDSE.Properties["ConfigurationNamingContext"].Value.ToString();

                using (DirectoryEntry partitionsContainer = new DirectoryEntry("LDAP://CN=Partitions," + configContainer))
                using (DirectorySearcher dsPartitions = new DirectorySearcher(
                        partitionsContainer,
                        "(&(objectcategory=crossRef)(systemFlags=3))",
                        new string[] { "name", "nCName", "dnsRoot" },
                        SearchScope.OneLevel
                    ))
                using (SearchResultCollection srcPartitions = dsPartitions.FindAll())
                {
                    _dictDomain2LDAPPath = srcPartitions.OfType<SearchResult>()
                        .ToDictionary(
                        result => result.Properties["name"][0].ToString(), // the DOMAIN part
                        result => $"LDAP://{result.Properties["dnsRoot"][0]}/{result.Properties["nCName"][0]}"
                    );
                }
            }

            return _dictDomain2LDAPPath;
        }
    }
    
    private static DirectoryEntry FindRootEntry(string domainPart)
    {
        if (DictDomain2LDAPPath.ContainsKey(domainPart))
            return new DirectoryEntry(DictDomain2LDAPPath[domainPart]);
        else
            throw new ArgumentException($"Domain \"{domainPart}\" is unknown in Active Directory");
    }

    public static DirectoryEntry FindUser(string domain, string sAMAccountName)
    {
        using (DirectoryEntry rootEntryForDomain = FindRootEntry(domain))
        using (DirectorySearcher dsUser = new DirectorySearcher(
                rootEntryForDomain,
                $"(&(sAMAccountType=805306368)(sAMAccountName={EscapeLdapSearchFilter(sAMAccountName)}))" // magic number 805306368 means "user objects", it's more efficient than (objectClass=user)
            ))
            return dsUser.FindOne().GetDirectoryEntry();
    }

    public static DirectoryEntry FindUser(string domainBackslashSAMAccountName)
    {
        string[] domainAndsAMAccountName = domainBackslashSAMAccountName.Split('\\');
        if (domainAndsAMAccountName.Length != 2)
            throw new ArgumentException($"User name \"{domainBackslashSAMAccountName}\" is not in correct format DOMAIN\\SAMACCOUNTNAME", "DomainBackslashSAMAccountName");

        string domain = domainAndsAMAccountName[0];
        string sAMAccountName = domainAndsAMAccountName[1];

        return FindUser(domain, sAMAccountName);
    }

    /// <summary>
    /// Escapes the LDAP search filter to prevent LDAP injection attacks.
    /// Copied from https://stackoverflow.com/questions/649149/how-to-escape-a-string-in-c-for-use-in-an-ldap-query
    /// </summary>
    /// <param name="searchFilter">The search filter.</param>
    /// <see cref="https://blogs.oracle.com/shankar/entry/what_is_ldap_injection" />
    /// <see cref="http://msdn.microsoft.com/en-us/library/aa746475.aspx" />
    /// <returns>The escaped search filter.</returns>
    private static string EscapeLdapSearchFilter(string searchFilter)
    {
        StringBuilder escape = new StringBuilder();
        for (int i = 0; i < searchFilter.Length; ++i)
        {
            char current = searchFilter[i];
            switch (current)
            {
                case '\\':
                    escape.Append(@"\5c");
                    break;
                case '*':
                    escape.Append(@"\2a");
                    break;
                case '(':
                    escape.Append(@"\28");
                    break;
                case ')':
                    escape.Append(@"\29");
                    break;
                case '\u0000':
                    escape.Append(@"\00");
                    break;
                case '/':
                    escape.Append(@"\2f");
                    break;
                default:
                    escape.Append(current);
                    break;
            }
        }

        return escape.ToString();
    }
}
于 2018-08-23T13:43:34.293 に答える