我一直在寻找一个带有 VirtualizingStackPanel 的 ItemsControl 来滚动到一个项目一段时间,并一直在寻找“使用 ListBox”的答案。我不想,所以我找到了一种方法。首先,您需要为您的 ItemsControl 设置一个控件模板,其中包含一个 ScrollViewer(如果您正在使用项目控件,您可能已经拥有该模板)。我的基本模板如下所示(包含在 ItemsControl 的方便样式中)
<Style x:Key="TheItemsControlStyle" TargetType="{x:Type ItemsControl}">
<Setter Property="Template">
<Setter.Value>
<ControlTemplate TargetType="{x:Type ItemsControl}">
<Border BorderThickness="{TemplateBinding Border.BorderThickness}" Padding="{TemplateBinding Control.Padding}" BorderBrush="{TemplateBinding Border.BorderBrush}" Background="{TemplateBinding Panel.Background}" SnapsToDevicePixels="True">
<ScrollViewer Padding="{TemplateBinding Control.Padding}" Focusable="False" HorizontalScrollBarVisibility="Auto">
<ItemsPresenter SnapsToDevicePixels="{TemplateBinding UIElement.SnapsToDevicePixels}" />
</ScrollViewer>
</Border>
</ControlTemplate>
</Setter.Value>
</Setter>
</Style>
所以我基本上有一个带有滚动查看器的边框,它将包含我的内容。
我的 ItemsControl 定义为:
<ItemsControl x:Name="myItemsControl" [..snip..] Style="{DynamicResource TheItemsControlStyle}" ScrollViewer.CanContentScroll="True" VirtualizingStackPanel.IsVirtualizing="True">
好的,现在是有趣的部分。我创建了一个扩展方法来附加到任何 ItemsControl 以使其滚动到给定项目:
public static void VirtualizedScrollIntoView(this ItemsControl control, object item) {
try {
// this is basically getting a reference to the ScrollViewer defined in the ItemsControl's style (identified above).
// you *could* enumerate over the ItemsControl's children until you hit a scroll viewer, but this is quick and
// dirty!
// First 0 in the GetChild returns the Border from the ControlTemplate, and the second 0 gets the ScrollViewer from
// the Border.
ScrollViewer sv = VisualTreeHelper.GetChild(VisualTreeHelper.GetChild((DependencyObject)control, 0), 0) as ScrollViewer;
// now get the index of the item your passing in
int index = control.Items.IndexOf(item);
if(index != -1) {
// since the scroll viewer is using content scrolling not pixel based scrolling we just tell it to scroll to the index of the item
// and viola! we scroll there!
sv.ScrollToVerticalOffset(index);
}
} catch(Exception ex) {
Debug.WriteLine("What the..." + ex.Message);
}
}
因此,使用适当的扩展方法,您可以像使用 ListBox 的伴随方法一样使用它:
myItemsControl.VirtualizedScrollIntoView(someItemInTheList);
效果很好!
请注意,您还可以调用 sv.ScrollToEnd() 和其他常用的滚动方法来绕过您的项目。