因此,如果我有一个具有如下属性的对象:
[MyCustomAttribute("somevalue")]
public string PropertyName { get; set; }
是否可以让我的 getter 从属性内的属性返回字符串?在这种特殊情况下,MyCustomAttribute
源自DisplayNameProperty
并且我正在尝试返回DisplayName
我该怎么做?
因此,如果我有一个具有如下属性的对象:
[MyCustomAttribute("somevalue")]
public string PropertyName { get; set; }
是否可以让我的 getter 从属性内的属性返回字符串?在这种特殊情况下,MyCustomAttribute
源自DisplayNameProperty
并且我正在尝试返回DisplayName
我该怎么做?
假设您的意思是,出于某种原因,您要么希望从 getter 返回 DisplayNameAttribute,要么将其用于 setter 中的某些内容。
那么这应该做
MemberInfo property = typeof(YourClass).GetProperty("PropertyName");
var attribute = property.GetCustomAttributes(typeof(MyCustomAttribute), true)
.Cast<MyCustomAttribute>.Single();
string displayName = attribute.DisplayName;
您的问题措辞不够清楚,无法给出更好的答案。正如人们在上面所说的那样-二传手不返回任何东西。
我只是想把我的实际实现放在这里,希望对某人有所帮助。让我知道您是否发现不足或需要改进的地方。
// Custom attribute might be something like this
[AttributeUsage(AttributeTargets.Property, AllowMultiple = false)]
public class BrandedAttribute : Attribute
{
private readonly ResourceManager _rm;
private readonly string _key;
public BrandedAttribute(string resourceKey)
{
_rm = new ResourceManager("brand", typeof(BrandedAttribute).Assembly);
_key = resourceKey;
}
public override string BrandText
{
get
{
// do what you need to do in order to generate the right text
return brandA_resource.ResourceManager.GetString(_key);
}
}
public override string ToString()
{
return DisplayName;
}
}
// extension
public static string AttributeToString<T>(this object obj, string propertyName)
where T: Attribute
{
MemberInfo property = obj.GetType().GetProperty(propertyName);
var attribute = default(T);
if (property != null)
{
attribute = property.GetCustomAttributes(typeof(T), true)
.Cast<T>().Single();
}
// I chose to do this via ToString() just for simplicity sake
return attribute == null ? string.Empty : attribute.ToString();
}
// usage
public MyClass
{
[MyCustom]
public string MyProperty
{
get
{
return this.AttributeToString<MyCustomAttribute>("MyProperty");
}
}
}