Comparable<Recipe>
を実装するオブジェクトRecipe
を取得しました:
public int compareTo(Recipe otherRecipe) {
return this.inputRecipeName.compareTo(otherRecipe.inputRecipeName);
}
次の方法でList
をアルファベット順に並べ替えることができます。
public static Collection<Recipe> getRecipes(){
List<Recipe> recipes = new ArrayList<Recipe>(RECIPE_MAP.values());
Collections.sort(recipes);
return recipes;
}
しかし、今、別の方法で、getRecipesSort()
と呼びましょう。IDを含む変数を比較して、同じリストを数値的にソートしたいと思います。さらに悪いことに、IDフィールドのタイプはString
です。
Collections.sort()を使用してJavaでソートを実行するにはどうすればよいですか?
このメソッドを使用します Collections.sort(List、Comparator) 。 コンパレータ を実装し、Collections.sort().
に渡します
class RecipeCompare implements Comparator<Recipe> {
@Override
public int compare(Recipe o1, Recipe o2) {
// write comparison logic here like below , it's just a sample
return o1.getID().compareTo(o2.getID());
}
}
次に、Comparator
を使用します
Collections.sort(recipes,new RecipeCompare());
NINCOMPOOPによって与えられる答えは、Lambda Expressionsを使用してより簡単にすることができます。
Collections.sort(recipes, (Recipe r1, Recipe r2) ->
r1.getID().compareTo(r2.getID()));
Java 8の後に導入されたのは、 Comparator インターフェースのコンパレーター構築メソッドです。これらを使用して、これをさらに減らすことができます 1:
recipes.sort(comparingInt(Recipe::getId));
1 Bloch、J.Effective Java(3rd 版)。 2018.アイテム42、p。 194。
コンストラクターで比較モードを受け入れるコンパレーターを作成し、要件に基づいてシナリオごとに異なるモードを渡します
public class RecipeComparator implements Comparator<Recipe> {
public static final int COMPARE_BY_ID = 0;
public static final int COMPARE_BY_NAME = 1;
private int compare_mode = COMPARE_BY_NAME;
public RecipeComparator() {
}
public RecipeComparator(int compare_mode) {
this.compare_mode = compare_mode;
}
@Override
public int compare(Recipe o1, Recipe o2) {
switch (compare_mode) {
case COMPARE_BY_ID:
return o1.getId().compareTo(o2.getId());
default:
return o1.getInputRecipeName().compareTo(o2.getInputRecipeName());
}
}
}
実際には、番号を個別に処理する必要があるため、以下を確認してください
public static void main(String[] args) {
String string1 = "1";
String string2 = "2";
String string11 = "11";
System.out.println(string1.compareTo(string2));
System.out.println(string2.compareTo(string11));// expected -1 returns 1
// to compare numbers you actually need to do something like this
int number2 = Integer.valueOf(string1);
int number11 = Integer.valueOf(string11);
int compareTo = number2 > number11 ? 1 : (number2 < number11 ? -1 : 0) ;
System.out.println(compareTo);// prints -1
}
自然順序以外でソートする場合は、Comparator
を受け入れるメソッドを使用します。
ソートされていないハッシュマップを昇順でソートします。
// Sorting the list based on values
Collections.sort(list, new Comparator<Entry<String, Integer>>() {
public int compare(Entry<String, Integer> o1, Entry<String, Integer> o2)
{
return o2.getValue().compareTo(o1.getValue());
}
});
// Maintaining insertion order with the help of LinkedList
Map<String, Integer> sortedMap = new LinkedHashMap<String, Integer>();
for (Entry<String, Integer> entry : list) {
sortedMap.put(entry.getKey(), entry.getValue());
}