8

アカウントから有効期限を取得しようとしています。

私はもう試した

DirectoryEntry user = new DirectoryEntry(iMem);

var AccountExpiration = DateTime.FromFileTime((int)user.Properties["accountExpires"].Value);

「指定されたキャストは無効です」というエラーが表示されるだけです。

私が使うとき

var AccountExpiration = user.Properties["accountExpires"];

読み取ることができない com オブジェクトを返します。

Windows PowerShell を使用すると、正常に動作しますが、なぜこれが動作しないのかわかりません...

これは私がpowershellで使用するコードです

$Expires = [datetime]::FromFileTime($tmpUser.accountExpires)
4

1 に答える 1

16

名前空間を使用して、System.DirectoryServices.AccountManagementこのタスクを実行できます。UserPrincipalからを取得したらPrincipalContext、プロパティを調べることができUserPrincipal.AccountExpirationDateます。

PrincipalContext context = new PrincipalContext(ContextType.Domain);

UserPrincipal p = UserPrincipal.FindByIdentity(context, "Domain\\User Name");

if (p.AccountExpirationDate.HasValue)
{
    DateTime expiration = p.AccountExpirationDate.Value.ToLocalTime();
}

を使用したい場合は、次DirectoryEntryのようにします。

//assume 'user' is DirectoryEntry representing user to check
DateTime expires = DateTime.FromFileTime(GetInt64(user, "accountExpires"));

private Int64 GetInt64(DirectoryEntry entry, string attr)
{
    //we will use the marshaling behavior of the searcher
    DirectorySearcher ds = new DirectorySearcher(
    entry,
    String.Format("({0}=*)", attr),
    new string[] { attr },
    SearchScope.Base
    );

    SearchResult sr = ds.FindOne();

    if (sr != null)
    {
        if (sr.Properties.Contains(attr))
        {
            return (Int64)sr.Properties[attr][0];
        }
    }

    return -1;
}

値を解析する別の方法は、accountExpiresリフレクションを使用することです。

private static long ConvertLargeIntegerToLong(object largeInteger)
{
    Type type = largeInteger.GetType();

    int highPart = (int)type.InvokeMember("HighPart", BindingFlags.GetProperty, null, largeInteger, null);
    int lowPart = (int)type.InvokeMember("LowPart", BindingFlags.GetProperty | BindingFlags.Public, null, largeInteger, null);

    return (long)highPart <<32 | (uint)lowPart;
}

object accountExpires = DirectoryEntryHelper.GetAdObjectProperty(directoryEntry, "accountExpires");
var asLong = ConvertLargeIntegerToLong(accountExpires);

if (asLong == long.MaxValue || asLong <= 0 || DateTime.MaxValue.ToFileTime() <= asLong)
{
    return DateTime.MaxValue;
}
else
{
    return DateTime.FromFileTimeUtc(asLong);
}
于 2013-08-14T12:53:56.273 に答える