我想知道是否可以轻松构建ListBox的双击功能。我有一个集合为ListBoxItemSource。集合包含自己的数据类型。

<ListBox ItemsSource="{Binding Path=Templates}"
         ItemTemplate="{StaticResource fileTemplate}">

我为我的DataTemplate定义了一个Items,它由StackPanels和TextBlocks组成。
<DataTemplate x:Key="fileTemplate">
     <Border>
         <StackPanel>
              <TextBlock Text="{Binding Path=Filename}"/>
              <TextBlock Text="{Binding Path=Description}"/>
         </StackPanel>
     </Border>
</DataTemplate>

现在我想检测双击列表项的双击事件。目前我尝试了following,但它不起作用,因为它不返回绑定到ListBox的项,而是返回TextBlock
if (TemplateList.SelectedIndex != -1 && e.OriginalSource is Template)
{
    this.SelectedTemplate = e.OriginalSource as Template;
    this.Close();
}

如果图标不是item,而是自己的ListBox,则如何处理ListBoxItems中的DataTemplates上的双击事件?

最佳答案

我一直在玩这个,我想我已经做到了…
好消息是,您可以将样式应用于listboxitem并应用数据模板-一个并不排除另一个…
换言之,您可以拥有如下内容:

    <Window.Resources>
        <DataTemplate x:Key="fileTemplate" DataType="{x:Type local:FileTemplate}">
...
        </DataTemplate>
    </Window.Resources>

    <Grid>

        <ListBox ItemsSource="{Binding Templates}"
                 ItemTemplate="{StaticResource fileTemplate}">
            <ListBox.ItemContainerStyle>
                <Style TargetType="{x:Type ListBoxItem}">
                    <EventSetter Event="MouseDoubleClick" Handler="DoubleClickHandler" />
                </Style>
            </ListBox.ItemContainerStyle>
        </ListBox>

    </Grid>

然后在窗口中实现一个处理程序,比如
public void DoubleClickHandler(object sender, MouseEventArgs e)
{
    // item will be your dbl-clicked ListBoxItem
    var item = sender as ListBoxItem;

    // Handle the double-click - you can delegate this off to a
    // Controller or ViewModel if you want to retain some separation
    // of concerns...
}

07-24 09:37