我有一些WPF控件。例如,TextBox。如何枚举该控件的所有依赖属性(如XAML编辑器那样)?
答案 0 :(得分:9)
public IList<DependencyProperty> GetAttachedProperties(DependencyObject obj)
{
List<DependencyProperty> result = new List<DependencyProperty>();
foreach (PropertyDescriptor pd in TypeDescriptor.GetProperties(obj,
new Attribute[] { new PropertyFilterAttribute(PropertyFilterOptions.All) }))
{
DependencyPropertyDescriptor dpd =
DependencyPropertyDescriptor.FromProperty(pd);
if (dpd != null)
{
result.Add(dpd.DependencyProperty);
}
}
return result;
}
在此处找到:http://social.msdn.microsoft.com/Forums/en/wpf/thread/580234cb-e870-4af1-9a91-3e3ba118c89c
答案 1 :(得分:8)
不需要使用反射(以及错误的idead恕我直言),因为框架已经有了实用程序类(但它们并不明显: - )。
以下是基于这篇文章的答案:Enumerate Bindings和LocalValueEnumerator Structure
public static IEnumerable<DependencyProperty> EnumerateDependencyProperties(this DependencyObject obj)
{
if (obj != null)
{
LocalValueEnumerator lve = obj.GetLocalValueEnumerator();
while (lve.MoveNext())
{
yield return lve.Current.Property;
}
}
}
以下是基于另一篇文章的另一个答案:使用Getting list of all dependency/attached properties of an Object的MarkupWriter.GetMarkupObjectFor Method。
public static IEnumerable<DependencyProperty> EnumerateDependencyProperties(object element)
{
if (element != null)
{
MarkupObject markupObject = MarkupWriter.GetMarkupObjectFor(element);
if (markupObject != null)
{
foreach (MarkupProperty mp in markupObject.Properties)
{
if (mp.DependencyProperty != null)
yield return mp.DependencyProperty;
}
}
}
}
public static IEnumerable<DependencyProperty> EnumerateAttachedProperties(object element)
{
if (element != null)
{
MarkupObject markupObject = MarkupWriter.GetMarkupObjectFor(element);
if (markupObject != null)
{
foreach (MarkupProperty mp in markupObject.Properties)
{
if (mp.IsAttached)
yield return mp.DependencyProperty;
}
}
}
}
答案 2 :(得分:5)
您可以通过GetFields方法使用反射来查找TextBox上的所有公共静态属性。然后,您可以使用Linq Where子句将这些子句过滤为任何DependencyProperty类型:
var flags = BindingFlags.Static |
BindingFlags.FlattenHierarchy |
BindingFlags.Public;
var dependencyProperties = typeof(TextBox).GetFields(flags)
.Where(f => f.FieldType == typeof(DependencyProperty));
然后,您可以通过选择:
将其转换为名称列表 var dependencyProperties = typeof(TextBox).GetFields(flags)
.Where(f => f.FieldType == typeof(DependencyProperty))
.Select(dp => dp.Name);
注意:每个名称都有一个'Property'后缀,如果您愿意,您当然可以在上面的Select子句中删除它。
答案 3 :(得分:1)
如果您想要元素的DependencyProperties的名称,那么您可以这样做:
var results = from prop in typeof(element).GetFields()
where prop.FieldType == typeof(DependencyProperty)
select prop.Name.Substring(0, prop.Name.Length - 8);
其中8是字符串“Property”的长度,它出现在依赖属性的末尾!
答案 4 :(得分:0)
尝试
var fieldInfos = typeof(TextBox).GetFields( BindingFlags.Public | BindingFlags.Static).Where(x=>x.FieldType == typeof(DependencyProperty));
foreach (var fieldInfo in fieldInfos)
{
Console.WriteLine(fieldInfo.Name);
}