链接CollectionViewSource

时间:2017-02-18 00:48:04

标签: c# wpf xaml

我想在WPF应用程序中链接两个CollectionViewSource。 有没有办法让下面的事情发挥作用?

MainWindow.xaml.cs:

using System.Collections.Generic;
using System.Linq;
using System.Windows;

namespace ChainingCollectionViewSource
{
  public partial class MainWindow : Window
  {
    public IEnumerable<int> Items => Enumerable.Range(0, 10);
    public MainWindow()
    {
      DataContext = this;
      InitializeComponent();
    }
  }
}

MainWindow.xaml:

<Window x:Class="ChainingCollectionViewSource.MainWindow"
        xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
        xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml">
    <Window.Resources>
        <CollectionViewSource x:Key="ItemsViewA"
                              Source="{Binding Items}" />
        <CollectionViewSource x:Key="ItemsViewB"
                              Source="{Binding Source={StaticResource ItemsViewA}}" />
    </Window.Resources>
    <ListBox ItemsSource="{Binding Source={StaticResource ItemsViewB}}" />
</Window>

1 个答案:

答案 0 :(得分:1)

System.ComponentModel.ICollectionView没有过滤其源集合,它会过滤视图。无论何时绑定到WPF中的某些数据集合,您始终绑定到自动生成的视图,而不是绑定到实际的源集合本身。视图是一个实现CollectionViewSources接口的类,它提供了对集合中当前项进行排序,过滤,分组和跟踪的功能。

所以不要试图&#34;链接&#34;两个<CollectionViewSource x:Key="ItemsViewA" Source="{Binding Items}" /> <CollectionViewSource x:Key="ItemsViewB" Source="{Binding Items}" /> 在一起,你应该将它们绑定到同一个源集合:

Filter

然后他们可以相互独立地过滤视图。

如果您想在控件A的过滤器之上应用控件B的过滤器,您应该在CollectionViewSource的{​​{1}}事件处理程序中实现此逻辑,例如:

private void ItemsViewA_Filter(object sender, FilterEventArgs e)
{
    e.Accepted = Include(e.Item as YourType);
}

private bool Include(YourType obj)
{
    //your filtering logic...
    return true;
}

private void ItemsViewB_Filter(object sender, FilterEventArgs e)
{
    var item = e.Item as YourType;
    e.Accepted = Include(item) && /* your additional filtering logic */;
}