0

我有一个带有项目列表框的简单 WPF 应用程序。为简单起见,我将其设为字符串列表,但实际上,它将是一些复杂类型的列表。当列表框中的项目本身被双击时,我想响应它。显然,项目本身的 ListBox 上没有直接的双击事件。是否有一种简单的方法来响应被双击的 ListBox 中的项目(不是列表框本身)?

这是我的xml:

<Window x:Class="WpfApplication12.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        xmlns:sys="clr-namespace:System;assembly=mscorlib"
        Title="MainWindow" Height="350" Width="525">
    <Grid>
        <ListBox>
            <ListBox.Items>
                <sys:String>Item1</sys:String>
                <sys:String>Item2</sys:String>
                <sys:String>Item3</sys:String>
                <sys:String>Item4</sys:String>
                <sys:String>Item5</sys:String>
            </ListBox.Items>
        </ListBox>
    </Grid>
</Window>
4

1 回答 1

0

这可以通过创建 ItemContainerStyle 并添加 EventSetter 轻松实现。

像这样修改您的 XAML:

<Window x:Class="WpfApplication12.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
        xmlns:sys="clr-namespace:System;assembly=mscorlib"
        Title="MainWindow" Height="350" Width="525">
    <Grid>
        <ListBox>

            <ListBox.ItemContainerStyle>
                <Style TargetType="{x:Type ListBoxItem}" BasedOn="{StaticResource {x:Type ListBoxItem}}">
                    <EventSetter Event="MouseDoubleClick" Handler="ListBoxItem_DoubleClick" />
                </Style>
            </ListBox.ItemContainerStyle>

            <ListBox.Items>
                <sys:String>Item1</sys:String>
                <sys:String>Item2</sys:String>
                <sys:String>Item3</sys:String>
                <sys:String>Item4</sys:String>
                <sys:String>Item5</sys:String>
            </ListBox.Items>
        </ListBox>
    </Grid>
</Window>

代码隐藏:

namespace WpfApplication12
{
    /// <summary>
    /// Interaction logic for MainWindow.xaml
    /// </summary>
    public partial class MainWindow : Window
    {     
        public MainWindow()
        {
            InitializeComponent();
        }
        private void ListBoxItem_DoubleClick(object sender, MouseButtonEventArgs e)
        {
            var listBoxItem = sender as ListBoxItem;
            if (listBoxItem != null)
            {
                var content = listBoxItem.Content as string;
                MessageBox.Show(content);
            }
        }
    }
}

这是 MSDN 页面的链接,它解释了有关 EventSetters 的一些信息:http: //msdn.microsoft.com/en-us/library/system.windows.eventsetter.aspx

于 2014-06-19T22:00:39.087 回答