更改列表框中一个列表项的背景(不是所选项目)

Change background on one List Item in a listbox (Not the selected item)

我有 ListBox addresses。每个项目都是使用 DataTemplate 的格式化地址标签。

当用户选择列表中的项目并单击 Set to default 按钮时,我想更改该项目的背景颜色以表示默认值。

我只想更改那一项,而不是 SelectedItem... 所以 SelectedItem 可能是一种颜色,而默认值可能是另一种颜色。

我想务实地这样做...即使我需要一个循环来重置非默认值并设置默认值...

我的问题是 ListBox.SelectedItem 只允许我访问集合中的基础对象,在本例中为 Address

因此,以下将不起作用:

foreach (ListBoxItem item in lstShipToAddresses.Items)
{
   // does not work (can't cast Address to ListboxItem) 
   item.Background = Brushes.Magenta;        
}

如何访问特定 ListBoxItem 的背景?

我有一个计划 B,它涉及仅使用 ListBox 之外的另一个区域来显示默认 address,但这会占用更多屏幕 space,所以我尽量避免这种情况。

更新 (XAML):

<ListBox Grid.Row="1" Grid.Column="0" Grid.ColumnSpan="2"
         HorizontalAlignment="Stretch"
         HorizontalContentAlignment="Stretch"
         Name="lstShipToAddresses"
         ItemsSource="{Binding Path=ocShipToAddress}"
         SelectionChanged="lstShipToAddresses_SelectionChanged"
         SelectedValuePath="Address_ID">
    <ListBox.ItemTemplate>
        <DataTemplate>
            <Border BorderBrush="#FF000000" BorderThickness="2,2,2,2" CornerRadius="10" HorizontalAlignment="Stretch" >
                <Grid HorizontalAlignment="Stretch">
                    <Grid.RowDefinitions>
                        <RowDefinition Height="Auto" />
                    </Grid.RowDefinitions>
                    <Grid.ColumnDefinitions>
                        <ColumnDefinition Width="Auto" />
                    </Grid.ColumnDefinitions>
                    <StackPanel>
                        <TextBlock Grid.Row="0" Text="{Binding Path=Address_Label}" HorizontalAlignment="Stretch"></TextBlock>
                    </StackPanel>
                </Grid>
            </Border>
        </DataTemplate>
    </ListBox.ItemTemplate>
</ListBox>

最终解:

此代码是在单击按钮时完成的,因此 SelectedItem 是我们要设为默认值的代码。

for (int i = 0; i < lstShipToAddresses.Items.Count; i++)
{
    if (lstShipToAddresses.Items[i] == lstShipToAddresses.SelectedItem)
    {
        // Set background on default
        var listBoxItem = lstShipToAddresses.ItemContainerGenerator.ContainerFromIndex(i);
        (listBoxItem as ListBoxItem).Background = Brushes.Magenta;
    }
    else
    {
        // Reset background on non-default 
        var listBoxItem = lstShipToAddresses.ItemContainerGenerator.ContainerFromIndex(i);
        (listBoxItem as ListBoxItem).Background = Brushes.White;
    }
}

为此您需要使用 ItemContainerGenerator.ContainerFromIndex。它 returns 一个 DependencyObject 然后你可以将它转换为 ListBoxItem 并使用 ListBoxItem 的属性,如 Background:

for (int i = 0; i < lstShipToAddresses.Items.Count; i++)
{
    var listBoxItem = lstShipToAddresses.ItemContainerGenerator.ContainerFromIndex(i);
    (listBoxItem as ListBoxItem).Background = Brushes.Magenta; 
}