WPF ListView: Attaching a double-click (on an item) event WPF ListView: Attaching a double-click (on an item) event wpf wpf

WPF ListView: Attaching a double-click (on an item) event


Found the solution from here: http://social.msdn.microsoft.com/Forums/en-US/wpf/thread/3d0eaa54-09a9-4c51-8677-8e90577e7bac/


XAML:

<UserControl.Resources>    <Style x:Key="itemstyle" TargetType="{x:Type ListViewItem}">        <EventSetter Event="MouseDoubleClick" Handler="HandleDoubleClick" />    </Style></UserControl.Resources><ListView Name="TrackListView" ItemContainerStyle="{StaticResource itemstyle}">    <ListView.View>        <GridView>            <GridViewColumn Header="Title" Width="100" HeaderTemplate="{StaticResource BlueHeader}" DisplayMemberBinding="{Binding Name}"/>            <GridViewColumn Header="Artist" Width="100" HeaderTemplate="{StaticResource BlueHeader}" DisplayMemberBinding="{Binding Album.Artist.Name}" />        </GridView>    </ListView.View></ListView>

C#:

protected void HandleDoubleClick(object sender, MouseButtonEventArgs e){    var track = ((ListViewItem) sender).Content as Track; //Casting back to the binded Track}


No memory leaks (no need to unsubscribe each item), works fine:

XAML:

<ListView MouseDoubleClick="ListView_MouseDoubleClick" ItemsSource="{Binding TrackCollection}" />

C#:

    void ListView_MouseDoubleClick(object sender, MouseButtonEventArgs e)    {        var item = ((FrameworkElement) e.OriginalSource).DataContext as Track;        if (item != null)        {            MessageBox.Show("Item's Double Click handled!");        }    }


My solution was based on @epox_sub's answer which you should look at for where to put the Event Handler in the XAML. The code-behind didn't work for me because my ListViewItems are complex objects. @sipwiz's answer was a great hint for where to look...

void ListView_MouseDoubleClick(object sender, MouseButtonEventArgs e){    var item = ListView.SelectedItem as Track;    if (item != null)    {      MessageBox.Show(item + " Double Click handled!");    }}

The bonus with this is you get the SelectedItem's DataContext binding (Track in this case). Selected Item works because the first click of the double-click selects it.