我正在尝试获取用户ExtensionAttribute4
的价值。
这是我对UserPrincipal
的扩展类:
[DirectoryRdnPrefix("CN")]
[DirectoryObjectClass("Person")]
public class UserPrincipalEx : UserPrincipal
{
// Implement the constructor using the base class constructor.
public UserPrincipalEx(PrincipalContext context) : base(context)
{ }
// Implement the constructor with initialization parameters.
public UserPrincipalEx(PrincipalContext context,
string samAccountName,
string password,
bool enabled) : base(context, samAccountName, password, enabled)
{ }
// Create the "extensionAttribute4" property.
[DirectoryProperty("extensionAttribute4")]
public string ExtensionAttribute4
{
get
{
if (ExtensionGet("extensionAttribute4").Length != 1)
return string.Empty;
return (string)ExtensionGet("extensionAttribute4")[0];
}
set { ExtensionSet("extensionAttribute4", value); }
}
public static new UserPrincipalEx FindByIdentity(PrincipalContext context, string identityValue)
{
return (UserPrincipalEx)FindByIdentityWithType(context, typeof(UserPrincipalEx), identityValue);
}
// Implement the overloaded search method FindByIdentity.
public static new UserPrincipalEx FindByIdentity(PrincipalContext context, IdentityType identityType, string identityValue)
{
return (UserPrincipalEx)FindByIdentityWithType(context, typeof(UserPrincipalEx), identityType, identityValue);
}
}
这是我调用方法的方式:
UserPrincipalEx user = UserPrincipalEx.FindByIdentity(ctx, IdentityType.SamAccountName, "someuser");
我在调试中看到用户确实是Classes.UserPrincipalEx.FindByIdentity
的结果,但是extensionAttribute4
并未在此处列出。完全没有还有其他属性。
我尝试对Manager进行相同的操作,结果相同。错误是:
对象引用未设置为对象的实例
我对此并不陌生,因此,如果我缺少明显的内容,请原谅。
答案 0 :(得分:1)
documentation for ExtensionGet()
说它返回“ null
,如果该名称不存在任何属性”。如果该属性为空,则认为该属性不存在,它将返回null
。所以你必须检查一下。
[DirectoryProperty("extensionAttribute4")]
public string ExtensionAttribute4
{
get
{
var extensionAttribute4 = ExtensionGet("extensionAttribute4");
if (extensionAttribute4 == null || extensionAttribute4.Length != 1)
return string.Empty;
return (string)extensionAttribute4[0];
}
set { ExtensionSet("extensionAttribute4", value); }
}
请注意,您可以通过使用GetUnderlyingObject()
和基础UserPrincipal
对象来扩展DirectoryEntry
,而无需扩展UserPrincipal user = UserPrincipal.FindByIdentity(ctx, IdentityType.SamAccountName, "someuser");
var extensionAttribute4 = ((DirectoryEntry) user.GetUnderlyingObject())
.Properties["extensionAttribute4"]?.Value as string;
:
{{1}}