诀窍是实现稳定的排序。我创建了一个Widget类,其中可以包含您的测试数据:
public class Widget : IComparable
{
int x;
int y;
public int X
{
get { return x; }
set { x = value; }
}
public int Y
{
get { return y; }
set { y = value; }
}
public Widget(int argx, int argy)
{
x = argx;
y = argy;
}
public int CompareTo(object obj)
{
int result = 1;
if (obj != null && obj is Widget)
{
Widget w = obj as Widget;
result = this.X.CompareTo(w.X);
}
return result;
}
static public int Compare(Widget x, Widget y)
{
int result = 1;
if (x != null && y != null)
{
result = x.CompareTo(y);
}
return result;
}
}
我实现了IComparable,因此它可能会被List.Sort()不稳定地排序。
但是,我还实现了静态方法Compare,可以将其作为委托传递给搜索方法。
我从C#411借用了这个插入排序方法:
public static void InsertionSort<T>(IList<T> list, Comparison<T> comparison)
{
int count = list.Count;
for (int j = 1; j < count; j++)
{
T key = list[j];
int i = j - 1;
for (; i >= 0 && comparison(list[i], key) > 0; i--)
{
list[i + 1] = list[i];
}
list[i + 1] = key;
}
}
您可以将其放入您在问题中提到的排序助手类。
现在,使用它:
static void Main(string[] args)
{
List<Widget> widgets = new List<Widget>();
widgets.Add(new Widget(0, 1));
widgets.Add(new Widget(1, 1));
widgets.Add(new Widget(0, 2));
widgets.Add(new Widget(1, 2));
InsertionSort<Widget>(widgets, Widget.Compare);
foreach (Widget w in widgets)
{
Console.WriteLine(w.X + ":" + w.Y);
}
}
它输出:
0:1
0:2
1:1
1:2
Press any key to continue . . .
可以使用一些匿名代表来清除此问题,但我将由您自己决定。
编辑:和NoBugz演示了匿名方法的力量...所以,请考虑我更老派:P