我有一个 wpf 用户控件项目,其设置类似于(大部分)使用模型-视图-视图模型设计模式文章的 WPF 应用程序。基本上,我有一个标题内容控件,其中包含一个选项卡控件。第一个选项卡包含搜索结果,任何其他选项卡都可以通过单击搜索结果中的某个项目来打开,以查看该项目的更详细视图。
我的主要问题是,每当有人输入搜索条件并运行搜索命令时,我都会重复使用搜索结果选项卡。重新填充搜索结果集合时(如果用户向下滚动列表),滚动查看器不会滚动到顶部。
最初,我以一种导致 CollectionChanged 事件触发的方式重新填充搜索结果项集合。然后我研究了使用附加属性来允许滚动到顶部,看起来好像替换整个集合是要走的路(因为 ItemsControl 没有实现 ICollectionNotifyChanged 接口)。
所以我做出了改变,一切看起来都很好。运行新搜索替换了搜索结果项集合,该集合触发了附加属性并将列表视图滚动回顶部。但是,我现在有一个问题,每当我移动到另一个选项卡以查看项目的详细视图时,它都会触发附加属性并将第一个选项卡上的搜索结果滚动到顶部。我不确定如何解决这种情况。
public static class ScrollToTopBehavior
{
public static readonly DependencyProperty ScrollToTopProperty =
DependencyProperty.RegisterAttached
(
"ScrollToTop",
typeof (bool),
typeof (ScrollToTopBehavior),
new UIPropertyMetadata(false, OnScrollToTopPropertyChanged)
);
public static bool GetScrollToTop(DependencyObject obj)
{
return (bool) obj.GetValue(ScrollToTopProperty);
}
public static void SetScrollToTop(DependencyObject obj, bool value)
{
obj.SetValue(ScrollToTopProperty, value);
}
private static void OnScrollToTopPropertyChanged(DependencyObject dpo,
DependencyPropertyChangedEventArgs e)
{
var itemsControl = dpo as ItemsControl;
if (itemsControl == null) return;
DependencyPropertyDescriptor dependencyPropertyDescriptor =
DependencyPropertyDescriptor.FromProperty(ItemsControl.ItemsSourceProperty, typeof (ItemsControl));
if (dependencyPropertyDescriptor == null) return;
if ((bool) e.NewValue)
{
dependencyPropertyDescriptor.AddValueChanged(itemsControl, ItemsSourceChanged);
}
else
{
dependencyPropertyDescriptor.RemoveValueChanged(itemsControl, ItemsSourceChanged);
}
}
private static void ItemsSourceChanged(object sender, EventArgs e)
{
var itemsControl = sender as ItemsControl;
EventHandler eventHandler = null;
eventHandler = delegate
{
if (itemsControl != null &&
itemsControl.ItemContainerGenerator.Status == GeneratorStatus.ContainersGenerated)
{
var scrollViewer = VisualTreeHelpers.FindChild<ScrollViewer>(itemsControl);
scrollViewer.ScrollToTop();
itemsControl.ItemContainerGenerator.StatusChanged -= eventHandler;
}
};
if (itemsControl != null) itemsControl.ItemContainerGenerator.StatusChanged += eventHandler;
}
}
我已将此属性附加到搜索结果用户控件,如下所示:
<ListView ...some properties left out for brevity...
DataContext="{StaticResource SearchResultsViewSource}"
IsSynchronizedWithCurrentItem="True"
ItemsSource="{Binding}"
SelectionMode="Single"
behaviours:ScrollToTopBehavior.ScrollToTop="True">
...etc...
搜索结果控件位于另一个使用标题内容控件的用户控件中(如果需要,我将提供详细信息)。