Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to get a DependencyProperty by name in Silverlight?

Situation: I have a string that represents the name of a DependencyProperty of a TextBox in Silverlight. For example: "TextProperty". I need to get a reference to the actual TextProperty of the TextBox, which is a DependencyProperty.

Question: how do I get a reference to a DependencyProperty (in C#) if all I got is the name of the property?

Things like DependencyPropertyDescriptor are not available in Silverlight. It seems I have to resort to reflection to get the reference. Any suggestions?

like image 893
JeroenNL Avatar asked Feb 08 '10 09:02

JeroenNL


2 Answers

You will need reflection for this:-

 public static DependencyProperty GetDependencyProperty(Type type, string name)
 {
     FieldInfo fieldInfo = type.GetField(name, BindingFlags.Public | BindingFlags.Static);
     return (fieldInfo != null) ? (DependencyProperty)fieldInfo.GetValue(null) : null;
 }

Usage:-

 var dp = GetDependencyProperty(typeof(TextBox), "TextProperty");
like image 179
AnthonyWJones Avatar answered Nov 15 '22 14:11

AnthonyWJones


To answer my own question: Indeed, reflection seems to be the way to go here:

Control control = <create some control with a property called MyProperty here>;
Type type = control.GetType();    
FieldInfo field = type.GetField("MyProperty");
DependencyProperty dp = (DependencyProperty)field.GetValue(control);

This does the job for me. :)

like image 33
JeroenNL Avatar answered Nov 15 '22 13:11

JeroenNL