Как я нахожу отображаемое имя Active Directory пользователя в веб-приложении C#?

Мне пришлось сделать две вещи: я добавил comp.setFocusable (true); к компоненту comp, который прослушивает ключевые события, и я добавил comp.requestFocus (); к каждому действию, из-за которого comp потерял фокус.

22
задан GEOCHET 9 March 2009 в 17:13
поделиться

4 ответа

Как насчет этого:

private static string GetFullName()
    {
        try
        {
            DirectoryEntry de = new DirectoryEntry("WinNT://" + Environment.UserDomainName + "/" + Environment.UserName);
            return de.Properties["displayName"].Value.ToString();
        }
        catch { return null; }
    }
29
ответ дан Community 29 November 2019 в 04:27
поделиться

Посмотрите связанный вопрос: Active Directory: Получите информацию о Пользователе

, См. также: практическое руководство: (Почти) Все В Active Directory через C# и более конкретно разделяет" , Перечисляют свойства объекта ".

, Если у Вас есть путь для соединения с группой в домене, следующий отрывок может быть полезным:

GetUserProperty("<myaccount>", "DisplayName");

public static string GetUserProperty(string accountName, string propertyName)
{
    DirectoryEntry entry = new DirectoryEntry();
    // "LDAP://CN=<group name>, CN =<Users>, DC=<domain component>, DC=<domain component>,..."
    entry.Path = "LDAP://...";
    entry.AuthenticationType = AuthenticationTypes.Secure;

    DirectorySearcher search = new DirectorySearcher(entry);
    search.Filter = "(SAMAccountName=" + accountName + ")";
    search.PropertiesToLoad.Add(propertyName);

    SearchResultCollection results = search.FindAll();
    if (results != null && results.Count > 0)
    {
        return results[0].Properties[propertyName][0].ToString();
    }
    else
    {
            return "Unknown User";
    }
}
8
ответ дан Community 29 November 2019 в 04:27
поделиться

Существует проект CodePlex для Linq к AD, если Вам интересно.

Это также охвачено в книге LINQ, Развязанный для C# Paul Kimmel - он использует вышеупомянутый проект в качестве своей начальной точки.

не связанный с любым источником - я просто прочитал книгу недавно

2
ответ дан GalacticCowboy 29 November 2019 в 04:27
поделиться

В случае, если любой заботится, что мне удалось взломать этого:

      /// This is some imaginary code to show you how to use it

      Session["USER"] = User.Identity.Name.ToString();
      Session["LOGIN"] = RemoveDomainPrefix(User.Identity.Name.ToString()); // not a real function :D
      string ldappath = "LDAP://your_ldap_path";
      // "LDAP://CN=<group name>, CN =<Users>, DC=<domain component>, DC=<domain component>,..."


      Session["cn"] = GetAttribute(ldappath, (string)Session["LOGIN"], "cn");
      Session["displayName"] = GetAttribute(ldappath, (string)Session["LOGIN"], "displayName");
      Session["mail"] = GetAttribute(ldappath, (string)Session["LOGIN"], "mail");
      Session["givenName"] = GetAttribute(ldappath, (string)Session["LOGIN"], "givenName");
      Session["sn"] = GetAttribute(ldappath, (string)Session["LOGIN"], "sn");


/// working code

public static string GetAttribute(string ldappath, string sAMAccountName, string attribute)
    {
        string OUT = string.Empty;

        try
        {
            DirectoryEntry de = new DirectoryEntry(ldappath);
            DirectorySearcher ds = new DirectorySearcher(de);
            ds.Filter = "(&(objectClass=user)(objectCategory=person)(sAMAccountName=" + sAMAccountName + "))";

            SearchResultCollection results = ds.FindAll();

            foreach (SearchResult result in results)
            {
                OUT =  GetProperty(result, attribute);
            }
        }
        catch (Exception t)
        {
            // System.Diagnostics.Debug.WriteLine(t.Message);
        }

        return (OUT != null) ? OUT : string.Empty;
    }

public static string GetProperty(SearchResult searchResult, string PropertyName)
    {
        if (searchResult.Properties.Contains(PropertyName))
        {
            return searchResult.Properties[PropertyName][0].ToString();
        }
        else
        {
            return string.Empty;
        }
    }
3
ответ дан inspite 29 November 2019 в 04:27
поделиться
Другие вопросы по тегам:

Похожие вопросы: