@DavidMills tarafından kabul edilen cevap oldukça iyi, ancak daha iyi hale getirilebileceğini düşünüyorum. Birincisi, ComparisonComparer<T>
çerçeve zaten statik bir yöntem içerdiğinde sınıfı tanımlamaya gerek yoktur Comparer<T>.Create(Comparison<T>)
. Bu yöntem bir oluşturmak için kullanılabilirIComparison
, anında .
Ayrıca, tehlikeli olma potansiyeline sahip IList<T>
olanları yayınlar IList
. Gördüğüm çoğu durumda, List<T>
uygulamak IList
için perde arkasında hangi araçlar kullanılıyor?IList<T>
, ancak bu garanti edilmez ve kırılgan koda yol açabilir.
Son olarak, aşırı yüklenmiş List<T>.Sort()
yöntemin 4 imzası vardır ve bunlardan sadece 2 tanesi uygulanmaktadır.
List<T>.Sort()
List<T>.Sort(Comparison<T>)
List<T>.Sort(IComparer<T>)
List<T>.Sort(Int32, Int32, IComparer<T>)
Aşağıdaki sınıf List<T>.Sort()
, IList<T>
arabirim için 4 imzanın tümünü uygular :
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];
}
}
}
Kullanım:
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));
}
Buradaki fikir, List<T>
mümkün olduğunda sıralamayı işlemek için temelin işlevselliğinden yararlanmaktır . Yine, IList<T>
gördüğüm çoğu uygulama bunu kullanıyor. Temel alınan koleksiyonun farklı bir tür olması durumunda, List<T>
giriş listesindeki öğelerin yeni bir örneğini oluşturmaya geri dönün, sıralamayı yapmak için kullanın, ardından sonuçları giriş listesine geri kopyalayın. Bu, giriş listesi IList
arabirimi uygulamasa bile çalışacaktır .