場合によっては、ソートを行うためだけに新しいクラスを作成してもあまり意味がありません。
List<?>
は、キー リスト ( ) に基づいて、任意の数の任意に型指定されたリスト ( ) を並べ替えるために使用できる関数ですList<T implements Comparable>
。 ここにイデオンの例があります。
使用法
関数を使用して、任意のタイプの複数のリストをソートする方法の例を次に示します。
List<Integer> ids = Arrays.asList(0, 1, 2, 3);
List<String> colors = Arrays.asList("blue", "yellow", "red", "black");
List<String> clothes = Arrays.asList("shoes", "pants", "boots", "coat");
// Sort By ID
concurrentSort(ids, ids, colors, clothes);
// Sort By Color
concurrentSort(colors, ids, colors, clothes);
// Sort By Clothes
concurrentSort(clothes, ids, colors, clothes);
出力:
// Sorted By ID:
ID: [0, 1, 2, 3]
Colors: [blue, yellow, red, black]
Clothes: [shoes, pants, boots, coat]
// Sorted By Color:
ID: [3, 0, 2, 1]
Colors: [black, blue, red, yellow]
Clothes: [coat, shoes, boots, pants]
// Sorted By Clothes:
ID: [2, 3, 1, 0]
Colors: [red, black, yellow, blue]
Clothes: [boots, coat, pants, shoes]
コード
パラメータの検証とテスト ケースを含むIdeone の例をここで見つけることができます。
public static <T extends Comparable<T>> void concurrentSort(
final List<T> key, List<?>... lists){
// Create a List of indices
List<Integer> indices = new ArrayList<Integer>();
for(int i = 0; i < key.size(); i++)
indices.add(i);
// Sort the indices list based on the key
Collections.sort(indices, new Comparator<Integer>(){
@Override public int compare(Integer i, Integer j) {
return key.get(i).compareTo(key.get(j));
}
});
// Create a mapping that allows sorting of the List by N swaps.
// Only swaps can be used since we do not know the type of the lists
Map<Integer,Integer> swapMap = new HashMap<Integer, Integer>(indices.size());
List<Integer> swapFrom = new ArrayList<Integer>(indices.size()),
swapTo = new ArrayList<Integer>(indices.size());
for(int i = 0; i < key.size(); i++){
int k = indices.get(i);
while(i != k && swapMap.containsKey(k))
k = swapMap.get(k);
swapFrom.add(i);
swapTo.add(k);
swapMap.put(i, k);
}
// use the swap order to sort each list by swapping elements
for(List<?> list : lists)
for(int i = 0; i < list.size(); i++)
Collections.swap(list, swapFrom.get(i), swapTo.get(i));
}
注:実行時間は、リストの長さであり、リストO(mlog(m) + mN)
の数です。通常、実行時間は、キーのみをソートするよりも重要ではありません。m
N
m >> N
O(mlog(m))