WPF 列表视图:检测何时选择了列表视图项,然后进行检查



我有以下列表视图:

<ListView Margin="10" Name="lvUsers" AlternationCount="2" SelectionMode="Extended">
<ListView.View>
<GridView>
<!-- Checkbox header -->
<GridViewColumn>
<GridViewColumn.Header>
<CheckBox Checked="CheckBox_Checked" Unchecked="CheckBox_Unchecked"/>
</GridViewColumn.Header>
<GridViewColumn.CellTemplate>
<DataTemplate>
<StackPanel Orientation="Horizontal">
<CheckBox IsChecked="{Binding IsChecked}" />
</StackPanel>
</DataTemplate>
</GridViewColumn.CellTemplate>
</GridViewColumn>
<GridViewColumn Header="Name" Width="120" DisplayMemberBinding="{Binding Name}" />
<GridViewColumn Header="Age" Width="50" DisplayMemberBinding="{Binding Age}" />
<GridViewColumn Header="Mail" Width="150" DisplayMemberBinding="{Binding Mail}" />
</GridView>
</ListView.View>
<!-- SELECTED ITEM EVENT -->
<ListView.ItemContainerStyle>
<Style TargetType="ListViewItem">
<EventSetter Event="PreviewMouseLeftButtonDown" Handler="ListViewItem_MouseLeftButtonDown" />
</Style>
</ListView.ItemContainerStyle>
</ListView>

和事件的代码隐藏:

private void ListViewItem_MouseLeftButtonDown(object sender, MouseButtonEventArgs e)
{
var item = sender as ListViewItem;
if (item != null && item.IsSelected)
{
//Do your stuff
}
}

这是数据模型:

public class User : INotifyPropertyChanged
{
private bool isChecked = false;
private string name = string.Empty;
private int age = 0;
private string mail = string.Empty;
public event PropertyChangedEventHandler PropertyChanged;
private void NotifyPropertyChanged(String propertyName)
{
var handler = PropertyChanged;
if (handler != null)
{
handler(this, new PropertyChangedEventArgs(propertyName));
}
}
public bool IsChecked {
get
{
return this.isChecked;
}
set
{
if (value != this.isChecked)
{
this.isChecked = value;
NotifyPropertyChanged("IsSelected");
}
}
}
public string Name
{
get
{
return this.name;
}
set
{
if (value != this.name)
{
this.name = value;
NotifyPropertyChanged("Name");
}
}
}
public int Age {
get
{
return this.age;
}
set
{
if (value != this.age)
{
this.age = value;
NotifyPropertyChanged("Age");
}
}
}
public string Mail {
get
{
return this.mail;
}
set
{
if (value != this.mail)
{
this.mail = value;
NotifyPropertyChanged("Mail");
}
}
}
}

我在列表视图标题上有一个复选框,每个列表视图项目都有一个复选框。

我正在尝试检测何时选择了列表视图项,然后在选择后,我想将其标记为选中。列表视图项事件 PreviewMouseLeftButtonDown 在触发该项时不起作用。IsSelected 为 false,因为它是鼠标左键按下之前的预览。没有鼠标单击事件,只有鼠标双击。

此外,单击列表视图项后,我想将正在选择的项目标记为选中(复选框选中)。

我该怎么做?

在 ListViewItem 样式中绑定IsSelected属性:

<ListView.ItemContainerStyle>
<Style TargetType="ListViewItem">
<Setter Property="IsSelected" Value="{Binding IsChecked}"/>
</Style>
</ListView.ItemContainerStyle>

请注意,为了避免属性名称出现排版错误,可以使用CallerMemberName属性,该属性使编译器生成正确的属性名称:

using System.Runtime.CompilerServices;
...
private void NotifyPropertyChanged([CallerMemberName] string propertyName = null)
{
PropertyChanged?.Invoke(this, new PropertyChangedEventArgs(propertyName));
}
public bool IsChecked
{
get { return isChecked; }
set
{
isChecked = value;
NotifyPropertyChanged();
}
}

最新更新