21

ObservableCollection があり、WPF UserControl が Databound です。Control は、ObservableCollection 内の BarData タイプの各アイテムの縦棒を示すグラフです。

ObservableCollection<BarData>

class BarData
{
   public DateTime StartDate {get; set;}
   public double MoneySpent {get; set;}
   public double TotalMoneySpentTillThisBar {get; set;}
}

ここで、コレクション内で BarData が StartDate の昇順になるように、StartDate に基づいて ObservableCollection を整理したいと考えています。次に、各 BarData の TotalMoneySpentTillThisBar の値を次のように計算できます -

var collection = new ObservableCollection<BarData>();
//add few BarData objects to collection
collection.Sort(bar => bar.StartData);    // this is ideally the kind of function I was looking for which does not exist 
double total = 0.0;
collection.ToList().ForEach(bar => {
                                     bar.TotalMoneySpentTillThisBar = total + bar.MoneySpent;
                                     total = bar.TotalMoneySpentTillThisBar; 
                                   }
                            );

ICollectionView を使用してデータを並べ替え、フィルタリングして表示できることはわかっていますが、実際のコレクションは変更されません。各アイテムの TotalMoneySpentTillThisBar を計算できるように、実際のコレクションを並べ替える必要があります。その値は、コレクション内のアイテムの順序によって異なります。

ありがとう。

4

6 に答える 6

47

うーん、最初の質問は次のとおりです。ソートすることは本当に重要ですObservableCollectionか、それとも GUI の表示をソートすることが本当に必要ですか?

目的は、「リアルタイム」に更新される並べ替えられた表示を持つことだと思います。次に、2つのソリューションが表示されます

  1. ここで説明されているように、 ICollectionViewあなたのを取得して並べ替えますhttp://marlongrech.wordpress.com/2008/11/22/icollectionview-explained/ObservableCollection

  2. ObservableCollectionあなたを aにバインドしCollectionViewsource、並べ替えを追加してから、それを a のCollectionViewSourceとして使用します。ItemSourceListView

すなわち:

この名前空間を追加

xmlns:scm="clr-namespace:System.ComponentModel;assembly=WindowsBase"

それから

<CollectionViewSource x:Key='src' Source="{Binding MyObservableCollection, ElementName=MainWindowName}">
    <CollectionViewSource.SortDescriptions>
        <scm:SortDescription PropertyName="MyField" />
    </CollectionViewSource.SortDescriptions>

</CollectionViewSource>

このようにバインドします

<ListView ItemsSource="{Binding Source={StaticResource src}}" >
于 2011-09-02T17:25:29.410 に答える
18

を拡張するクラスを作成しました。時間の経過とともに、 ( 、、、など)ObservableCollectionから使用することに慣れている他の機能も必要になったからです。ListContainsIndexOfAddRangeRemoveRange

私は通常、次のようなもので使用します

MyCollection.Sort(p => p.Name);

ここに私の並べ替えの実装があります

/// <summary>
/// Expanded ObservableCollection to include some List<T> Methods
/// </summary>
[Serializable]
public class ObservableCollectionEx<T> : ObservableCollection<T>
{

    /// <summary>
    /// Constructors
    /// </summary>
    public ObservableCollectionEx() : base() { }
    public ObservableCollectionEx(List<T> l) : base(l) { }
    public ObservableCollectionEx(IEnumerable<T> l) : base(l) { }

    #region Sorting

    /// <summary>
    /// Sorts the items of the collection in ascending order according to a key.
    /// </summary>
    /// <typeparam name="TKey">The type of the key returned by <paramref name="keySelector"/>.</typeparam>
    /// <param name="keySelector">A function to extract a key from an item.</param>
    public void Sort<TKey>(Func<T, TKey> keySelector)
    {
        InternalSort(Items.OrderBy(keySelector));
    }

    /// <summary>
    /// Sorts the items of the collection in descending order according to a key.
    /// </summary>
    /// <typeparam name="TKey">The type of the key returned by <paramref name="keySelector"/>.</typeparam>
    /// <param name="keySelector">A function to extract a key from an item.</param>
    public void SortDescending<TKey>(Func<T, TKey> keySelector)
    {
        InternalSort(Items.OrderByDescending(keySelector));
    }

    /// <summary>
    /// Sorts the items of the collection in ascending order according to a key.
    /// </summary>
    /// <typeparam name="TKey">The type of the key returned by <paramref name="keySelector"/>.</typeparam>
    /// <param name="keySelector">A function to extract a key from an item.</param>
    /// <param name="comparer">An <see cref="IComparer{T}"/> to compare keys.</param>
    public void Sort<TKey>(Func<T, TKey> keySelector, IComparer<TKey> comparer)
    {
        InternalSort(Items.OrderBy(keySelector, comparer));
    }

    /// <summary>
    /// Moves the items of the collection so that their orders are the same as those of the items provided.
    /// </summary>
    /// <param name="sortedItems">An <see cref="IEnumerable{T}"/> to provide item orders.</param>
    private void InternalSort(IEnumerable<T> sortedItems)
    {
        var sortedItemsList = sortedItems.ToList();

        foreach (var item in sortedItemsList)
        {
            Move(IndexOf(item), sortedItemsList.IndexOf(item));
        }
    }

    #endregion // Sorting
}
于 2011-09-02T15:14:27.950 に答える
14

ObservableCollection の並べ替えの問題は、コレクションを変更するたびにイベントが発生することです。そのため、アイテムをある位置から削除して別の位置に追加する並べ替えの場合、大量のイベントが発生することになります。

最初から適切な順序で ObservableCollection に物を挿入するのが最善の策だと思います。コレクションからアイテムを削除しても、順序には影響しません。説明するために簡単な拡張メソッドを作成しました

    public static void InsertSorted<T>(this ObservableCollection<T> collection, T item, Comparison<T> comparison)
    {
        if (collection.Count == 0)
            collection.Add(item);
        else
        {
            bool last = true;
            for (int i = 0; i < collection.Count; i++)
            {
                int result = comparison.Invoke(collection[i], item);
                if (result >= 1)
                {
                    collection.Insert(i, item);
                    last = false;
                    break;
                }
            }
            if (last)
                collection.Add(item);
        }
    }

たとえば、文字列を使用する場合、コードは次のようになります。

        ObservableCollection<string> strs = new ObservableCollection<string>();
        Comparison<string> comparison = new Comparison<string>((s1, s2) => { return String.Compare(s1, s2); });
        strs.InsertSorted("Mark", comparison);
        strs.InsertSorted("Tim", comparison);
        strs.InsertSorted("Joe", comparison);
        strs.InsertSorted("Al", comparison);

編集

ObservableCollection を拡張し、独自の挿入/追加メソッドを指定すると、呼び出しを同一に保つことができます。このようなもの:

public class BarDataCollection : ObservableCollection<BarData>
{
    private Comparison<BarData> _comparison = new Comparison<BarData>((bd1, bd2) => { return DateTime.Compare(bd1.StartDate, bd2.StartDate); });

    public new void Insert(int index, BarData item)
    {
        InternalInsert(item);
    }

    protected override void InsertItem(int index, BarData item)
    {
        InternalInsert(item);
    }

    public new void Add(BarData item)
    {
        InternalInsert(item);
    }

    private void InternalInsert(BarData item)
    {
        if (Items.Count == 0)
            Items.Add(item);
        else
        {
            bool last = true;
            for (int i = 0; i < Items.Count; i++)
            {
                int result = _comparison.Invoke(Items[i], item);
                if (result >= 1)
                {
                    Items.Insert(i, item);
                    last = false;
                    break;
                }
            }
            if (last)
                Items.Add(item);
        }
    }
}

挿入インデックスは無視されます。

        BarData db1 = new BarData(DateTime.Now.AddDays(-1));
        BarData db2 = new BarData(DateTime.Now.AddDays(-2));
        BarData db3 = new BarData(DateTime.Now.AddDays(1));
        BarData db4 = new BarData(DateTime.Now);
        BarDataCollection bdc = new BarDataCollection();
        bdc.Add(db1);
        bdc.Insert(100, db2);
        bdc.Insert(1, db3);
        bdc.Add(db4);
于 2011-09-02T15:00:27.530 に答える
0

別のコレクションでLINQを使用してデータをソートするのはどうですか:

var collection = new List<BarData>();
//add few BarData objects to collection

// sort the data using LINQ
var sorted = from item in collection orderby item.StartData select item;

// create observable collection
var oc = new ObservableCollection<BarData>(sorted);

これは私にとってはうまくいきました。

于 2015-11-24T12:31:20.120 に答える