Puis-je vérifier - voulez-vous dire un tableau rectangulaire ( [,]
)ou un tableau en dents de scie ( [][]
) ?
Il est assez facile de trier un tableau en dents de scie ; j'ai une discussion à ce sujet. aquí . Évidemment, dans ce cas, le Comparison<T>
impliquerait une colonne au lieu d'un tri par ordre ordinal - mais très similaire.
Le tri d'un tableau rectangulaire est plus délicat... Je serais sans doute tenté de copier les données dans un tableau rectangulaire ou dans un tableau List<T[]>
et trier là puis copier en arrière.
Voici un exemple utilisant un tableau en dents de scie :
static void Main()
{ // could just as easily be string...
int[][] data = new int[][] {
new int[] {1,2,3},
new int[] {2,3,4},
new int[] {2,4,1}
};
Sort<int>(data, 2);
}
private static void Sort<T>(T[][] data, int col)
{
Comparer<T> comparer = Comparer<T>.Default;
Array.Sort<T[]>(data, (x,y) => comparer.Compare(x[col],y[col]));
}
Pour travailler avec un tableau rectangulaire... eh bien, voici du code pour passer de l'un à l'autre à la volée...
static T[][] ToJagged<T>(this T[,] array) {
int height = array.GetLength(0), width = array.GetLength(1);
T[][] jagged = new T[height][];
for (int i = 0; i < height; i++)
{
T[] row = new T[width];
for (int j = 0; j < width; j++)
{
row[j] = array[i, j];
}
jagged[i] = row;
}
return jagged;
}
static T[,] ToRectangular<T>(this T[][] array)
{
int height = array.Length, width = array[0].Length;
T[,] rect = new T[height, width];
for (int i = 0; i < height; i++)
{
T[] row = array[i];
for (int j = 0; j < width; j++)
{
rect[i, j] = row[j];
}
}
return rect;
}
// fill an existing rectangular array from a jagged array
static void WriteRows<T>(this T[,] array, params T[][] rows)
{
for (int i = 0; i < rows.Length; i++)
{
T[] row = rows[i];
for (int j = 0; j < row.Length; j++)
{
array[i, j] = row[j];
}
}
}