Прийнята відповідь @DavidMills цілком гарна, але я думаю, що її можна вдосконалити. По-перше, немає необхідності визначати 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>)
У наведеному нижче класі реалізовані всі 4 List<T>.Sort()
підписи для IList<T>
інтерфейсу:
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
інтерфейс.