Прокрутка до выбранного Treeviewitem в пределах scrollview


У меня есть scrollviewer, обертывающий treeview.

Я заполняю treeview программно (он не привязан) и расширяю treeview до заданного treeviewitem. Все это прекрасно работает.

Моя проблема заключается в том, что когда дерево расширяется, я хотел бы, чтобы scrollview, который является родительским treeview, прокручивался к treeviewitem, который я только что расширил. Есть идеи? - имейте в виду, что treeview не может иметь ту же структуру каждый раз, когда он расширяется, так что исключает просто хранение текущее положение прокрутки и возврат к нему...

2 5

2 ответа:

У меня была та же проблема, с TreeView не прокручивается к выбранному элементу.

То, что я сделал, после роста на дереве, чтобы некоторые TreeViewItem, я позвонил вспомогательный метод диспетчером, чтобы позволить пользовательский интерфейс для обновления, а затем использовали TransformToAncestor на выбранный элемент, чтобы найти свою позицию в объект ScrollViewer. Вот код:

    // Allow UI Rendering to Refresh
    DispatcherHelper.WaitForPriority();

    // Scroll to selected Item
    TreeViewItem tvi = myTreeView.SelectedItem as TreeViewItem;
    Point offset = tvi.TransformToAncestor(myScroll).Transform(new Point(0, 0));
    myScroll.ScrollToVerticalOffset(offset.Y);

Вот код диспетчера:

public class DispatcherHelper
{
    private static readonly DispatcherOperationCallback exitFrameCallback = ExitFrame;

    /// <summary>
    /// Processes all UI messages currently in the message queue.
    /// </summary>
    public static void WaitForPriority()
    {
        // Create new nested message pump.
        DispatcherFrame nestedFrame = new DispatcherFrame();

        // Dispatch a callback to the current message queue, when getting called,
        // this callback will end the nested message loop.
        // The priority of this callback should be lower than that of event message you want to process.
        DispatcherOperation exitOperation = Dispatcher.CurrentDispatcher.BeginInvoke(
            DispatcherPriority.ApplicationIdle, exitFrameCallback, nestedFrame);

        // pump the nested message loop, the nested message loop will immediately
        // process the messages left inside the message queue.
        Dispatcher.PushFrame(nestedFrame);

        // If the "exitFrame" callback is not finished, abort it.
        if (exitOperation.Status != DispatcherOperationStatus.Completed)
        {
            exitOperation.Abort();
        }
    }

    private static Object ExitFrame(Object state)
    {
        DispatcherFrame frame = state as DispatcherFrame;

        // Exit the nested message loop.
        frame.Continue = false;
        return null;
    }
}

Объект ScrollViewer трюк Джейсона-это отличный способ перемещения TreeViewItem в определенном положении.

Однако есть одна проблема: в MVVM у вас нет доступа к ScrollViewer в модели представления. Вот способ добраться до него в любом случае. Если у вас есть TreeViewItem, вы можете идти вверх по его визуальному дереву, пока не дойдете до встроенного ScrollViewer:
// Get the TreeView's ScrollViewer
DependencyObject parent = VisualTreeHelper.GetParent(selectedTreeViewItem);
while (parent != null && !(parent is ScrollViewer))
{
    parent = VisualTreeHelper.GetParent(parent);
}