views:

220

answers:

3

So I have a TreeView that looks something like this:

<TreeView   Name="elementTreeView"
                        ItemsSource="{Binding Elements}" 
                        Width="Auto"
                        SelectedValuePath="Path" />

I also have a TextBlock defined as follows:

<TextBlock Text="{Binding ElementName=elementTreeView, Path=SelectedValue}" />

My ModelView is pretty basic and contains exactly what you would expect. What I'm looking for is a way to bind a property in my ViewModel to SelectedValue. Right now, the text block displays what I need. Is there any easy way to bind this property?

A: 

You can use a BindingMode of OneWayToSource to bind the TreeView's SelectedValue property to your ViewModel. Then bind the TextBlock's Text property using a OneWay binding to the same ViewModel property.

hemp
The problem seems to be that SelectedValue is read-only, so it won't let me directly bind to it.
helixed
A: 

You can bind the TreeView to a property on your ViewModel directly:

This will bind to the "SelectedItem" property in the VM.

<TreeView   Name="elementTreeView"
                    ItemsSource="{Binding Elements}" 
                    SelectedValue="{Binding SelectedItem, Mode=OneWayToSource}"
                    Width="Auto"
                    SelectedValuePath="Path" />
Reed Copsey
When I try to do this I get the following build error:'SelectedValue' property is read-only and cannot be set from markup.
helixed
@helixed: Sorry - it shoudl be onewaytosource
Reed Copsey
A: 

So it turns out that this is the result of not following the MVVM pattern quite correctly. The solution was to just use one ViewModel object. Inside of the ViewModel (whose type is ElementViewModel) object, I had something like:

public ElementViewModel Element {
    get {
        return this;
    }
}

Then my TreeView declaration looked something like this:

<TreeView   Name="treeView" 
            ItemsSource="{Binding Elements}" 
            Width="Auto"
            SelectedValuePath="Element" />

After that, all I had to do was bind to Element in my other view.

helixed