@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>)
下面的类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接口,这也将起作用。