JYelton
JYelton

Reputation: 36512

How to scroll to bottom of ListBox?

I am using a Winforms ListBox as a small list of events, and want to populate it so that the last event (bottom) is visible. The SelectionMode is set to none. The user can scroll the list but I would prefer it start out scrolled to the end.

Looking at the lack of support for things like ScrollIntoView, EnsureVisible, I am assuming I will need to create a custom control that inherits from ListBox; however I'm not sure what to do from there.

Some pointers?

Upvotes: 79

Views: 92847

Answers (4)

Caius Jard
Caius Jard

Reputation: 74605

If you want a winforms listbox that "sticks to bottom when at bottom" you can:

int visibleItems = lb.ClientSize.Height / lb.ItemHeight;
if (lb.Items.Count > lb && lb.TopIndex > lb.Items.Count - visibleItems - 2)
  lb.TopIndex = lb.Items.Count - visibleItems + 1;

When scrolled to bottom, new items will cause it to scroll down to show them, but if you scroll up a bit, then it ceases its "jump to bottom" behavior yso you can carry on looking at what you scrolled up to see

Upvotes: 0

Sean Vikoren
Sean Vikoren

Reputation: 1094

This is what I ended up with for WPF (.Net Framework 4.6.1):

Scroll.ToBottom(listBox);

Using the following utility class:

public partial class Scroll
{
    private static ScrollViewer FindViewer(DependencyObject root)
    {
        var queue = new Queue<DependencyObject>(new[] { root });

        do
        {
            var item = queue.Dequeue();
            if (item is ScrollViewer) { return (ScrollViewer)item; }
            var count = VisualTreeHelper.GetChildrenCount(item);
            for (var i = 0; i < count; i++) { queue.Enqueue(VisualTreeHelper.GetChild(item, i)); }
        } while (queue.Count > 0);

        return null;
    }

    public static void ToBottom(ListBox listBox)
    {
        var scrollViewer = FindViewer(listBox);

        if (scrollViewer != null)
        {
            scrollViewer.ScrollChanged += (o, args) =>
            {
                if (args.ExtentHeightChange > 0) { scrollViewer.ScrollToBottom(); }
            };
        }
    }
}

Upvotes: 2

WSBT
WSBT

Reputation: 36323

Scroll to the bottom:

listbox.TopIndex = listbox.Items.Count - 1;

Scroll to the bottom, and select the last item:

listbox.SelectedIndex = listbox.Items.Count - 1;

Upvotes: 83

Jon
Jon

Reputation: 437336

I believe you can do that easily by setting the TopIndex property appropriately.

For example:

int visibleItems = listBox.ClientSize.Height / listBox.ItemHeight;
listBox.TopIndex = Math.Max(listBox.Items.Count - visibleItems + 1, 0);

Upvotes: 101

Related Questions