Bind datagrid column visibility MVVM
Solution 1:
DataGridColumn
s are not part of visual tree so they are not connected to the data context of the DataGrid
.
For them to connect together use proxy element approach like this...
- Add a proxy
FrameworkElement
in your ancestor panel'sResources
. - Host it into an invisible
ContentControl
bound to itsContent
. -
Use this
ProxyElement
asStaticResource
for data context source in your visibility binding.<StackPanel> <StackPanel.Resources> <local:BooleanToVisibilityConverter x:Key="BooleanToVisibilityConverter" /> <FrameworkElement x:Key="ProxyElement" DataContext="{Binding}"/> </StackPanel.Resources> <ContentControl Visibility="Collapsed" Content="{StaticResource ProxyElement}"/> <DataGrid AutoGenerateColumns="False"> <DataGrid.Columns> <DataGridTextColumn Visibility="{Binding DataContext.IsTextColumnVisibile, Source={StaticResource ProxyElement}, Converter={StaticResource BooleanToVisibilityConverter}}" Binding="{Binding Text}"/> </DataGrid.Columns> </DataGrid> </StackPanel>
Apart from DataGridColumn
, the above approach also works great to connect DataContext
to Popup
s and ContextMenu
s (i.e. any element that is not connected to the visual tree).
Silverlight Users
Sadly setting contents of content controls with any framework elements is not allowed in silverlight. So the workaround would be (this is just a guidance code for silverlight) ...
-
Change the framework element resource to something lightweight like a
Textblock
. (Silverlight does not allow specifying static resource ofFrameworkElement
type.)<StackPanel.Resources> <TextBlock x:Key="MyTextBlock" />
-
Write an attached property to hold text block against the content control.
<ContentControl Visibility="Collapsed" local:MyAttachedBehavior.ProxyElement="{StaticResource MyTextBlock}" />
-
In the attached dependency property changed event handler, set the bind the data context of the content control to the text block's.
private static void OnProxyElementPropertyChanged( DependencyObject depObj, DependencyPropertyChangedEventArgs e) { if (depObj is ContentControl && e.NewValue is TextBlock) { var binding = new Binding("DataContext"); binding.Source = depObj; binding.Mode = OneWay; BindingOperations.SetBinding( (TextBlock)e.NewValue, TextBlock.DataContextProperty, binding); } }
So this way the textblock may not be connected to the visual tree but will probably be aware of the data context changes.
Hope this helps.