3

在我的应用程序中,我有一个包裹在 ScrollViewer 中的画布(画布比屏幕尺寸大)。在这个画布上,我放置了其他控件。画布上的元素之一包含一个虚拟化的 DataGrid(有 2000 多行......所以也涉及滚动)。现在我有一个函数,它根据行元素的某些值(自动触发)在 DataGrid 中选择一行。选择行后,我调用

uxDataGrid.ScrollIntoView(uxDataGrid.SelectedItems[0]);

什么工作得很好。事实上,它正在向好的方向发展。我想要的是选择 DataGrid 中的元素,然后 DataGrid 应该滚动到正确的位置。但我的 Canvas scrollviewer 也以某种方式接收了这个请求并在那里滚动。

我已经尝试拦截 ScrollChangedEvent 并设置处理标志。但它不起作用。

问题:

1)如何限制 ScrollIntoView 调用对本地用户控件的影响。

2)如果那不可能,我该如何自己滚动?我需要计算滚动查看器的垂直偏移量,但由于它是虚拟化的,我不知道如何找出行高?

有什么建议么?

我添加了一个快速示例来演示主要设置。当点击其中一个按钮时,我只希望 DataGrid 滚动,而不是 ScrollViewer 继续画布。

<Window x:Class="ScrollTest.MainWindow"
    xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
    xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
    Title="MainWindow" Height="350" Width="525">
<DockPanel>
    <StackPanel DockPanel.Dock="Bottom" Orientation="Horizontal">
        <Button Click="Button1_Click">Scroll to 1</Button>
        <Button Click="Button100_Click">Scroll to 100</Button>
        <Button Click="Button200_Click">Scroll to 200</Button>
    </StackPanel>
    <ScrollViewer>
        <Canvas Width="5000" Height="5000">
            <DataGrid Name="uxDataGrid" ItemsSource="{Binding TestItems}" Width="500" Height="500"></DataGrid>
        </Canvas>
    </ScrollViewer>
</DockPanel>

public class TestItem
{
    public TestItem(int id)
    {
        Property1 = id.ToString();
        Property2 = "B";
    }
    public string Property1 { get; set; }
    public string Property2 { get; set; }
}
/// <summary>
/// Interaktionslogik für MainWindow.xaml
/// </summary>
public partial class MainWindow : Window
{
    public IList<TestItem> TestItems { get; set; }
    public MainWindow()
    {
        TestItems = new List<TestItem>();
        for ( int i = 0; i < 300; i++ )
        {
            TestItems.Add(new TestItem(i));
        }

        InitializeComponent();
        DataContext = this;
    }


    private void Button1_Click( object sender, RoutedEventArgs e )
    {
        uxDataGrid.ScrollIntoView( TestItems[0]);
    }
    private void Button100_Click( object sender, RoutedEventArgs e )
    {
        uxDataGrid.ScrollIntoView( TestItems[99] );
    }
    private void Button200_Click( object sender, RoutedEventArgs e )
    {
        uxDataGrid.ScrollIntoView( TestItems[199] );
    }
}
4

1 回答 1

6

好的......经过一些研究,我找到了正确的事件:它被称为RequestBringIntoViewEvent. 当拦截那个时,它按预期工作:

public partial class MainWindow : Window
{
    public MainWindow()
    {
        ...
        uxDataGrid.AddHandler( RequestBringIntoViewEvent, new RoutedEventHandler( HandleRequestBringIntoViewEvent ) );
    }

    private static void HandleRequestBringIntoViewEvent( object sender, RoutedEventArgs e )
    {
        e.Handled = true;
    }
    ...
}
于 2011-07-29T13:00:37.263 回答