我是WPF的新手,我正在玩Bindings。我设法将绑定设置为List
,以便显示例如网格中的人员列表。我现在想要的是在Binding上设置一个条件,并且只选择满足这个条件的网格中的人。到目前为止我所拥有的是:
// In MyGridView.xaml.cs
public class Person
{
public string name;
public bool isHungry;
}
public partial class MyGridView: UserControl
{
List<Person> m_list;
public List<Person> People { get {return m_list;} set { m_list = value; } }
public MyGridView() { InitializeComponent(); }
}
// In MyGridView.xaml
<UserControl x:Class="Project.MyGridView"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml">
<Grid>
<DataGrid Name="m_myGrid" ItemsSource="{Binding People}" />
</Grid>
</UserControl>
我现在想要的是,只在饥饿的Person
个实例列表中包含这些内容。我知道在代码中执行此操作的方法,例如添加新属性:
public List<Person> HungryPeople
{
get
{
List<Person> hungryPeople = new List<Person>();
foreach (Person person in People)
if (person.isHungry)
hungryPeople.Add(person);
return hungryPeople;
}
}
然后将绑定更改为HungryPeople
。但是,我认为这不是一个很好的选择,因为它涉及制作额外的公共属性,这可能是不可取的。有没有办法在XAML代码中实现所有这些?
答案 0 :(得分:5)
将CollectionViewSource与过滤器一起使用:
绑定:
<UserControl x:Class="Project.MyGridView"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml">
<UserControl.Resources>
<CollectionViewSource x:key="PeopleView" Source="{Binding People} Filter="ShowOnlyHungryPeople" />
</UserControl.Resources>
<Grid>
<DataGrid Name="m_myGrid" ItemsSource="{Binding Source={StaticResource PeopleView}}" />
</Grid>
</UserControl>
过滤器:
private void ShowOnlyHungryPeople(object sender, FilterEventArgs e)
{
Person person = e.Item as Person;
if (person != null)
{
e.Accepted = person.isHungry;
}
else e.Accepted = false;
}
答案 1 :(得分:0)
您不需要多个属性,只需为ObservableCollection
类创建一个Person
并绑定到ItemsSource
的{{1}}。
DataGrid
使用视图构造函数中的 public ObservableCollection<Person> FilterPersons{get;set;}
<DataGrid Name="m_myGrid" ItemsSource="{Binding FilterPersons}" />
主列表初始化此集合。
在每个过滤器(例如,匈牙利,口渴等)上,只需在People
添加/删除Person
,您的FilterPersons
也会相应更新。
答案 2 :(得分:0)
您可以在Binding中使用Converter,并且可以根据需要过滤List,并返回已过滤的List。
<DataGrid Name="m_myGrid" ItemsSource="{Binding People, Converter=myConverter}" />
转换器 -
public class MyConverter : IValueConverter
{
public object Convert(object value, Type targetType, object parameter, System.Globalization.CultureInfo culture)
{
List<Person> hungryPeople = new List<Person>();
foreach (Person person in value as List<Person>)
if (person.isHungry)
hungryPeople.Add(person);
return hungryPeople;
}
}