James
James

Reputation: 1876

Fire ListView.SelectedIndexChanged Event Programmatically?

How can one programmatically fire the SelectedIndexChanged event of a ListView?

I've intended for the first item in my ListView to automatically become selected after the user completes a certain action. Code already exists within the SelectedIndexChanged event to highlight the selected item. Not only does the item fail to become highlighted, but a breakpoint set within SelectedIndexChanged is never hit. Moreover, a Debug.WriteLine fails to produce output, so I am rather certain that event has not fired.

The following code fails to fire the event:

listView.Items[0].Selected = false;
listView.Items[0].Selected = true;
listView.Select();
Application.DoEvents();

The extra .Select() method call was included for good measure. ;) The deselection (.Selected = false) was included to deselect the ListViewItem in the .Items collection just in case it may have been selected by default and therefore setting it to 'true' would have no effect. The 'Application.DoEvents()' call is yet another last ditch method.

Shouldn't the above code cause the SelectedIndexChanged event to fire?

I should mention that the SelectedIndexChanged event fires properly on when an item is selcted via keyboard or mouse input.

Upvotes: 4

Views: 13153

Answers (3)

Joshua Belden
Joshua Belden

Reputation: 10503

Deselecting it by setting it to false won't fire the event but setting it to true will.

    public Form1 ()
    {
        InitializeComponent();
        listView1.Items[0].Selected = false; // Doesn't fire
        listView1.Items[0].Selected = true; // Does fire.
    }

    private void listView1_SelectedIndexChanged (object sender, EventArgs e)
    {
        // code to run
    }

You might have something else going on. What event are you running your selection code?

Upvotes: 2

Matt Brunell
Matt Brunell

Reputation: 10389

If you create a class derived from ListView, you can call the protected method OnSelectedIndexChanged. This will fire the SelectedIndexChanged event.

Upvotes: 2

Andrew Hare
Andrew Hare

Reputation: 351476

Why can't you move the code that is currently inside your event handler's method into a method that can be called from the original spot and also from your code?

Something like this:

class Foo
{
    void bar(Object o, EventArgs e)
    {
        // imagine this is something important
        int x = 2;
    }

    void baz()
    {
        // you want to call bar() here ideally
    }
}

would be refactored to this:

class Foo
{
    void bar(Object o, EventArgs e)
    {
        bop();
    }

    void baz()
    {
        bop();
    }

    void bop()
    {
        // imagine this is something important
        int x = 2;
    }
}

Upvotes: 2

Related Questions