我的目标是获取类属性及其值。
例如,如果我有一个属性'Bindable'来检查属性是否可绑定:
public class Bindable : Attribute
{
public bool IsBindable { get; set; }
}
我有一个Person类:
public class Person
{
[Bindable(IsBindable = true)]
public string FirstName { get; set; }
[Bindable(IsBindable = false)]
public string LastName { get; set; }
}
如何获取FirstName和LastName的'Bindable'属性值?
public void Bind()
{
Person p = new Person();
if (FirstName property is Bindable)
p.FirstName = "";
if (LastName property is Bindable)
p.LastName = "";
}
感谢。
答案 0 :(得分:6)
Instances 没有单独的属性 - 您必须向类型询问其成员(例如Type.GetProperties
),并要求这些成员提供属性(例如PropertyInfo.GetCustomAttributes
)。
编辑:根据评论,有关于属性的tutorial on MSDN。
答案 1 :(得分:2)
您可以尝试这种方式:
public class Bindable : Attribute
{
public bool IsBindable { get; set; }
}
public class Person
{
[Bindable(IsBindable = true)]
public string FirstName { get; set; }
[Bindable(IsBindable = false)]
public string LastName { get; set; }
}
public class Test
{
public void Bind()
{
Person p = new Person();
foreach (PropertyInfo property in p.GetType().GetProperties())
{
try
{
Bindable _Attribute = (Bindable)property.GetCustomAttributes(typeof(Bindable), false).First();
if (_Attribute.IsBindable)
{
//TODO
}
}
catch (Exception) { }
}
}
}