@DavidMillsが受け入れた回答はかなり良いですが、改善できると思います。1つはComparisonComparer<T>
、フレームワークに静的メソッドがすでに含まれている場合、クラスを定義する必要はありませんComparer<T>.Create(Comparison<T>)
。このメソッドはIComparison
、オンザフライで作成するために使用できます。
また、危険な可能性のあるキャストにキャストIList<T>
しIList
ます。私が見たほとんどの場合、List<T>
実装IList
は舞台裏で使用されて実装されますIList<T>
が、これは保証されておらず、脆弱なコードにつながる可能性があります。
最後に、オーバーロードされたList<T>.Sort()
メソッドには4つのシグニチャがあり、そのうち2つだけが実装されています。
List<T>.Sort()
List<T>.Sort(Comparison<T>)
List<T>.Sort(IComparer<T>)
List<T>.Sort(Int32, Int32, IComparer<T>)
以下のクラスList<T>.Sort()
は、IList<T>
インターフェースの4つの署名すべてを実装します。
using System;
using System.Collections.Generic;
public static class IListExtensions
{
public static void Sort<T>(this IList<T> list)
{
if (list is List<T>)
{
((List<T>)list).Sort();
}
else
{
List<T> copy = new List<T>(list);
copy.Sort();
Copy(copy, 0, list, 0, list.Count);
}
}
public static void Sort<T>(this IList<T> list, Comparison<T> comparison)
{
if (list is List<T>)
{
((List<T>)list).Sort(comparison);
}
else
{
List<T> copy = new List<T>(list);
copy.Sort(comparison);
Copy(copy, 0, list, 0, list.Count);
}
}
public static void Sort<T>(this IList<T> list, IComparer<T> comparer)
{
if (list is List<T>)
{
((List<T>)list).Sort(comparer);
}
else
{
List<T> copy = new List<T>(list);
copy.Sort(comparer);
Copy(copy, 0, list, 0, list.Count);
}
}
public static void Sort<T>(this IList<T> list, int index, int count,
IComparer<T> comparer)
{
if (list is List<T>)
{
((List<T>)list).Sort(index, count, comparer);
}
else
{
List<T> range = new List<T>(count);
for (int i = 0; i < count; i++)
{
range.Add(list[index + i]);
}
range.Sort(comparer);
Copy(range, 0, list, index, count);
}
}
private static void Copy<T>(IList<T> sourceList, int sourceIndex,
IList<T> destinationList, int destinationIndex, int count)
{
for (int i = 0; i < count; i++)
{
destinationList[destinationIndex + i] = sourceList[sourceIndex + i];
}
}
}
使用法:
class Foo
{
public int Bar;
public Foo(int bar) { this.Bar = bar; }
}
void TestSort()
{
IList<int> ints = new List<int>() { 1, 4, 5, 3, 2 };
IList<Foo> foos = new List<Foo>()
{
new Foo(1),
new Foo(4),
new Foo(5),
new Foo(3),
new Foo(2),
};
ints.Sort();
foos.Sort((x, y) => Comparer<int>.Default.Compare(x.Bar, y.Bar));
}
ここでの考え方は、基礎となる機能を活用して、List<T>
可能な限りソートを処理することです。繰り返しますが、IList<T>
私が見たほとんどの実装はこれを使用しています。基になるコレクションが異なるタイプの場合はList<T>
、入力リストの要素を使用しての新しいインスタンスの作成にフォールバックし、それを使用して並べ替えを行い、結果を入力リストにコピーして戻します。これは、入力リストがIList
インターフェイスを実装していない場合でも機能します。