คำตอบที่ยอมรับโดย @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()
ลายเซ็นทั้ง 4 สำหรับ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
อินเทอร์เฟซก็ตาม