36

重複の可能性:
Java の値で Map<Key, Value> をソートする方法は?

私はマップインターフェイスを使用してファイルから読み取り、その値をキーと値のペアとして保存しています。ファイル形式は次のとおりです。

 A 34
 B 25
 c 50

このファイルからデータを読み取り、それをキーと値のペアとして保存してから、これをユーザーに表示します。私の要件は、結果をこの形式で表示することです

C 50
A 34
B 25

したがって、値の降順でマップをソートする必要があります。これらを結果として表示できるように..これについて読んで、以下のコードを見つけました

static <K,V extends Comparable<? super V>> SortedSet<Map.Entry<K,V>> entriesSortedByValues(Map<K,V> map) {
        SortedSet<Map.Entry<K,V>> sortedEntries = new TreeSet<Map.Entry<K,V>>(
            new Comparator<Map.Entry<K,V>>() {
                @Override public int compare(Map.Entry<K,V> e1, Map.Entry<K,V> e2) {
                    int res = e1.getValue().compareTo(e2.getValue());
                    return res != 0 ? res : 1; // Special fix to preserve items with equal values
                }
            }
        );
        sortedEntries.addAll(map.entrySet());
        return sortedEntries;
    }

これで値が昇順でソートされることを願っています。このアプローチが正しいかどうか、または他の効果的なアプローチが役立つかどうかを知りたいだけです。

4

2 に答える 2

54

値が重複する可能性があるため、を使用しないでくださいSet。に変更して、List代わりに並べ替えます。あなたentriesSortedByValuesはこのように見えるでしょう:

static <K,V extends Comparable<? super V>> 
            List<Entry<K, V>> entriesSortedByValues(Map<K,V> map) {

    List<Entry<K,V>> sortedEntries = new ArrayList<Entry<K,V>>(map.entrySet());

    Collections.sort(sortedEntries, 
            new Comparator<Entry<K,V>>() {
                @Override
                public int compare(Entry<K,V> e1, Entry<K,V> e2) {
                    return e2.getValue().compareTo(e1.getValue());
                }
            }
    );

    return sortedEntries;
}

注:出力例では、値は降順です。昇順にする場合は、e1.getValue().compareTo(e2.getValue())代わりに使用してください。


例:

public static void main(String args[]) {

    Map<String, Integer> map = new HashMap<String, Integer>();
    map.put("A", 34);
    map.put("B", 25);
    map.put("C", 50);
    map.put("D", 50); // "duplicate" value

    System.out.println(entriesSortedByValues(map));
}

出力:

[D=50, C=50, A=34, B=25]
于 2012-07-25T10:52:36.407 に答える
14

自分で書いてcomparatorに渡すTreeMap

class MyComparator implements Comparator {

Map map;

public MyComparator(Map map) {
    this.map = map;
}

public int compare(Object o1, Object o2) {

    return ((Integer) map.get(o2)).compareTo((Integer) map.get(o1));

}
}

テストクラスで

Map<String, Integer> lMap=new HashMap<String, Integer>();
    lMap.put("A", 35);
    lMap.put("B", 25);
    lMap.put("C", 50);

    MyComparator comp=new MyComparator(lMap);

    Map<String,Integer> newMap = new TreeMap(comp);
    newMap.putAll(lMap);

出力:

C=50
A=35
B=25
于 2012-07-25T10:55:17.697 に答える