2

我有两个单独的可观察集合,其中 T 是用户定义的类。这些集合绑定到列表视图和树视图。我想按排序顺序显示集合的项目。我似乎没有在列表和树视图上找到任何排序功能。集合中的元素可以在运行时删除/添加。实现这一目标的最佳方法是什么?

提前致谢。干杯!

4

2 回答 2

5

您可以Move通过扩展ObservableCollection<T>类使用内部方法轻松实现此行为。这是一个简化的示例:

public class SortableObservableCollection<T> : ObservableCollection<T>
{
    public SortableObservableCollection(IEnumerable<T> collection) : 
        base(collection) { }

    public SortableObservableCollection() : base() { }

    public void Sort<TKey>(Func<T, TKey> keySelector)
    {
        Sort(Items.OrderBy(keySelector));
    }

    public void Sort<TKey>(Func<T, TKey> keySelector, IComparer<TKey> comparer)
    {
        Sort(Items.OrderBy(keySelector, comparer));
    }

    public void SortDescending<TKey>(Func<T, TKey> keySelector)
    {
        Sort(Items.OrderByDescending(keySelector));
    }

    public void SortDescending<TKey>(Func<T, TKey> keySelector, 
        IComparer<TKey> comparer)
    {
        Sort(Items.OrderByDescending(keySelector, comparer));
    }

    public void Sort(IEnumerable<T> sortedItems)
    {
        List<T> sortedItemsList = sortedItems.ToList();
        for (int i = 0; i < sortedItemsList.Count; i++)
        {
            Items[i] = sortedItemsList[i];
        }
    }
}

感谢@ThomasLevesque 提供了Sort上面显示的更有效的方法

然后你可以像这样使用它:

YourCollection.Sort(c => c.PropertyToSortBy);
于 2013-10-14T15:36:25.053 回答
0
  private void ApplySort(IEnumerable<T> sortedItems)
  {
     var sortedItemsList = sortedItems.ToList();
     for (int i = 0; i < sortedItemsList.Count; i++)
     {
        if((object)(this[i]) != (object)(sortedItemsList[i]))
           this[i] = sortedItemsList[i];
     }
  }

可以减少 CollectionChanged 事件的数量以获得更好的性能。

于 2017-04-26T02:49:57.933 回答