.net – Metro应用程序 – ListView – 如何替换ListViewItems的背景颜色

前端之家收集整理的这篇文章主要介绍了.net – Metro应用程序 – ListView – 如何替换ListViewItems的背景颜色前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
在我的Windows 8 Metro风格应用程序中,我将Listview绑定到ObservableCollection,我希望每个ListViewItem的背景颜色交替(白色,灰色,白色等)
  1. <ListView x:Name="stopsListView" ItemsSource="{Binding}" >
  2. <ListView.ItemTemplate>
  3. <DataTemplate>
  4. <Grid Height="66" >
  5. <TextBlock Text="{Binding Title}" />
  6. </Grid>
  7. </DataTemplate>
  8. </ListView.ItemTemplate>

在WPF中,这是使用带触发器的样式完成的 – 请参阅this page.

你如何在Metro应用程序中实现这一目标?

更新:

在下面给出了正确的答案后,我离开并实际编码了它.以下是需要它的人的一些代码

值转换器类代码

  1. public class AltBackgroundConverter : IValueConverter
  2. {
  3. public object Convert(object value,Type targetType,object parameter,string language)
  4. {
  5. if (!(value is int)) return null;
  6. int index = (int)value;
  7.  
  8. if (index % 2 == 0)
  9. return Colors.White;
  10. else
  11. return Colors.LightGray;
  12. }
  13.  
  14. // No need to implement converting back on a one-way binding
  15. public object ConvertBack(object value,string language)
  16. {
  17. throw new NotImplementedException();
  18. }
  19. }

XAML列表视图的代码



  1. <ListView x:Name="stopsListView" ItemsSource="{Binding}">
  2.  
  3. <ListView.ItemTemplate>
  4. <DataTemplate>
  5. <Grid Width="250" Height="66" Margin="5">
  6. <Grid.Background>
  7. <SolidColorBrush Color="{Binding IndexWithinParentCollection,Mode=OneWay,Converter={StaticResource AltBGConverter}}" />
  8. </Grid.Background>

…并且,在向集合中添加项目或修改集合时,请记住在集合中设置其索引:

  1. myCollection.add(item);
  2. item.IndexWithinParentCollection = myCollection.Count;

当然,如果您的集合经常更改,这种方法维护成本很高,因为您必须重新索引您的项目,因此我发现在每个项目中存储对父集合的引用更容易,然后计算索引使用.IndexOf()飞行以避免每次集合更改时不断更新索引值.

您可以使用转换器 – 从项目中获取行索引并将其转换为画笔.另外 – 如果ItemTemplate没有给你足够的控制 – 使用ItemContainerStyle修改ListViewItem模板级别的画笔.

另一个选项可能是指定一个ItemTemplateSelector,它根据项目为您提供具有不同画笔的不同模板.您仍然需要生成行索引,或者以某种方式启用选择器以确定项目是处于偶数位置还是奇数位置.

猜你在找的Windows相关文章