我正在开发UWP应用。我想遍历页面中ListView的所有ListViewItems。这是ListView的xaml。

<ListView x:Name="DownloadTaskListView"
                  ItemsSource="{x:Bind ViewModel.CompletedDownloads}"
                  HorizontalContentAlignment="Stretch"
                  Background="{x:Null}">
            <ListView.ItemTemplate>
                <DataTemplate x:DataType="data:DownloadTask">
                    <Grid x:Name="ItemViewGrid" Background="{x:Null}" Margin="4,0,0,0">
                    ....
                    </Grid>
                </DataTemplate>
            </ListView.ItemTemplate>
            <ListView.ItemContainerStyle>
                <Style TargetType="ListViewItem">
                    <Setter Property="HorizontalAlignment" Value="Stretch" />
                    <Setter Property="HorizontalContentAlignment" Value="Stretch" />
                    <Setter Property="BorderThickness" Value="0" />
                </Style>
            </ListView.ItemContainerStyle>
        </ListView>


我使用这段代码来实现这一目标。

foreach(ListViewItem item in DownloadTaskListView.Items)
{
     // Do something useful

}


但这给了我一个例外。因为我设置了DataTemplate的DataType,所以运行时抛出了一个异常,它无法从DownloadTask(在这种情况下为数据类型)转换为ListViewItem。所以我想问问访问ListViewItems的另一种方法是什么?

最佳答案

您可以使用ItemsControl.ContainerFromItem method查找对应于指定项目的容器,然后获取此容器的根元素,在您的情况下为Grid。例如这样:

private void MainPage_Loaded(object sender, RoutedEventArgs e)
{
    foreach (var item in DownloadTaskListView.Items)
    {
        var listviewitem = item as DownloadTask;
        var container = DownloadTaskListView.ContainerFromItem(listviewitem) as ListViewItem;
        var ItemViewGrid = container.ContentTemplateRoot as Grid;
        //TODO:
    }
}


请注意,如果要在列表视图的SelectionChanged事件中使用此方法,则可以将选定的Item传递到ContainerFromItem方法中,否则将找不到ListBoxItem

我应该说,如果有可能,使用数据绑定会更好。

08-26 14:33