Tomtom
Tomtom

Reputation: 9394

Check if Item in a DataGrid is already in view

I have a DataGrid where the ItemsSource is bound to an ObservableCollection<LogEntry>. On a click on a Button the user can scroll to a specific LogEntry. Therefor I use the following code:

private void BringSelectedItemIntoView(LogEntry logEntry)
{
    if (logEntry != null)
    {
        ContentDataGrid.ScrollIntoView(logEntry);
    }
}

This just works fine. But what I don't like is: If the LogEntry already is in view then the DataGrid flickers shortly.

My question now is:

Is there a possibility to check on the DataGrid if the given LogEntry already is in view?

Upvotes: 5

Views: 1094

Answers (1)

Muds
Muds

Reputation: 4116

You can get index for first visible item and last visible item

then you can check if your item's index was within first and last or not.

var verticalScrollBar = GetScrollbar(DataGrid1, Orientation.Vertical);
var count = DataGrid1.Items.Count;
var firstRow = verticalScrollBar.Value;
var lastRow = firstRow + count - verticalScrollBar.Maximum;

// check if item index is between first and last should work

Get Scrollbar method

private static ScrollBar GetScrollbar(DependencyObject dep, Orientation orientation)
    {
        for (int i = 0; i < VisualTreeHelper.GetChildrenCount(dep); i++)
        {
            var child = VisualTreeHelper.GetChild(dep, i);
            var bar = child as ScrollBar;
            if (bar != null && bar.Orientation == orientation)
                return bar;
            else
            {
                ScrollBar scrollBar = GetScrollbar(child, orientation);
                if (scrollBar != null)
                    return scrollBar;
            }
        }
        return null;
    } 

Upvotes: 2

Related Questions