WPF: Passing Data to Sub-Views via DataContext Causes Trouble

Imagine I have a main view that contains a number to sub-views. To be concrete, let’s assume that the sub-view is a user control of type PersonView that displays person’s information.

How do you tell the PersonView what person to display? Passing it via DataContext seems like a natural choice, so the XAML looks something liek this:

<StackPanel ...>
   <my:PersonView DataContext={Binding PersonA} />
   <my:PersonView DataContext={Binding PersonB} />
</StackPanel>

This is all fine until I try to set other properties of PersonView, e.g.

<my:PersonView Visibility={Binding IsPersonAVisible} DataContext={Binding PersonA} />

The IsPersonAVisible binding does not work. The system first binds the DataContext property to the PersonA object, and then all other bindings are processed against PersonA. Since PersonA does not have "IsPersonAVisible", the binding fails.

Microsoft representatives confirm this and provide some explanation why it should be so, but personally I think it does not sound very convincing.

We can make the binding work by diverting it away from the redirected DataContext, e.g. by specifying ElementName:

<my:PersonView
    Visibility={Binding DataContext.IsPersonAVisible, ElementName=MainWindow}
    DataContext={Binding PersonA} />

but it looks very ugly and long.

We have two ways to avoid this ugliness:
- move the properties into the PersonA object
- use property other than DataContext to pass person information.

The former does not really solve the problem. Even if we have PersonA.IsVisible, it most likely will depend on some external data, and we will need to write code to set it duplicating the work the binding would do for us.

The latter wrecks havoc in the bindings of the PersonView itself, but this can be rectified. When we passed person information via DataContext, the PersonView looked probably something like this:

<UserControl ...>
    <StackPanel>
        <TextBlock Text="{Binding FirstName}" />
        <TextBlock Text="{Binding LastName}" FontWeight="Bold" />
    </StackPanel>
</UserControl>

If we now pass person information in control property like Person, all bindings will stop working. We can fix it by setting DataContext on the main visual, so it can done only once:

<UserControl ...>
    <StackPanel DataContext="{Binding Person, RelativeSource={RelativeSource AncestorType=UserControl}}">
        <TextBlock Text="{Binding FirstName}" />
        <TextBlock Text="{Binding LastName}" FontWeight="Bold" />
    </StackPanel>
</UserControl>

Now, things are back to normal, and we have only one ugly binding. Note, that setting data context on the user control itself won't help, because it will lead to the same problem as before.

Leave a Reply

Your email address will not be published. Required fields are marked *