Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

WPF - Getting a property value from a binding path

if I have an object say called MyObject, which has a property called MyChild, which itself has a property called Name. How can I get the value of that Name property if all I have is a binding path (i.e. "MyChild.Name"), and a reference to MyObject?

MyObject
  -MyChild
    -Name
like image 887
devdigital Avatar asked Aug 26 '10 17:08

devdigital


2 Answers

I found a way to do this, but it's quite ugly and probably not very fast... Basically, the idea is to create a binding with the given path and apply it to a property of a dependency object. That way, the binding does all the work of retrieving the value:

public static class PropertyPathHelper
{
    public static object GetValue(object obj, string propertyPath)
    {
        Binding binding = new Binding(propertyPath);
        binding.Mode = BindingMode.OneTime;
        binding.Source = obj;
        BindingOperations.SetBinding(_dummy, Dummy.ValueProperty, binding);
        return _dummy.GetValue(Dummy.ValueProperty);
    }

    private static readonly Dummy _dummy = new Dummy();

    private class Dummy : DependencyObject
    {
        public static readonly DependencyProperty ValueProperty =
            DependencyProperty.Register("Value", typeof(object), typeof(Dummy), new UIPropertyMetadata(null));
    }
}
like image 165
Thomas Levesque Avatar answered Oct 14 '22 20:10

Thomas Levesque


I developed a nuget package Pather.CSharp that does exactly what you need.

It contains a class Resolver that has a Resolve method which behaves like @ThomasLevesque's GetValue method.
Example:

IResolver resolver = new Resolver(); 
var o = new { Property1 = Property2 = "value" } }; 
var path = "Property1.Property2";    
object result = r.Resolve(o, path); //the result is the string "value"

It even supports collection access via index or dictionary access via key.
Example paths for these are:

"ArrayProperty[5]"
"DictionaryProperty[Key]"
like image 42
Domysee Avatar answered Oct 14 '22 21:10

Domysee