#1,012 – Using a Different Data Template for the Face of a ComboBox
February 19, 2014 1 Comment
When you define a data template to use as the item template for a ComboBox, this item template is used to render each item in the dropdown list when it appears. The same item template is used to display the currently selected item on the face of the ComboBox.
You can define a different template for the face of the ComboBox using a DataTemplateSelector. You start by defining a data template selector that allows setting one of two templates and can determine whether the parent of the current item is the ComboBox itself (face of button) or a ComboBoxItem (dropdown).
public class ComboBoxItemTemplateSelector : DataTemplateSelector { // Can set both templates from XAML public DataTemplate SelectedItemTemplate { get; set; } public DataTemplate ItemTemplate { get; set; } public override DataTemplate SelectTemplate(object item, DependencyObject container) { bool selected = false; // container is the ContentPresenter FrameworkElement fe = container as FrameworkElement; if (fe != null) { DependencyObject parent = fe.TemplatedParent; if (parent != null) { ComboBox cbo = parent as ComboBox; if (cbo != null) selected = true; } } if (selected) return SelectedItemTemplate; else return ItemTemplate; } }
You can now define two different templates in your XAML.
<ComboBox ItemsSource="{Binding ActorList}" Margin="20" SelectedItem="{Binding SelectedActor}"> <ComboBox.ItemTemplateSelector> <local:ComboBoxItemTemplateSelector> <local:ComboBoxItemTemplateSelector.ItemTemplate> <DataTemplate> <StackPanel Orientation="Horizontal"> <Image Source="{Binding Image}" Height="100"/> <StackPanel Margin="10,0"> <TextBlock Text="{Binding FullName}" FontWeight="Bold" /> <TextBlock Text="{Binding Dates}"/> <TextBlock Text="{Binding KnownFor}" FontStyle="Italic"/> </StackPanel> </StackPanel> </DataTemplate> </local:ComboBoxItemTemplateSelector.ItemTemplate> <local:ComboBoxItemTemplateSelector.SelectedItemTemplate> <DataTemplate> <StackPanel Orientation="Horizontal"> <Image Source="{Binding Image}" Height="40" Margin="5,0"/> <TextBlock Text="{Binding FullName}"/> </StackPanel> </DataTemplate> </local:ComboBoxItemTemplateSelector.SelectedItemTemplate> </local:ComboBoxItemTemplateSelector> </ComboBox.ItemTemplateSelector> </ComboBox>
We now have a different layout on the face of the ComboBox, showing the currently selected item.