web-dev-qa-db-ja.com

Java 8は、値でソートされたキーのリストへのストリームマップ

マップMap<Type, Long> countByTypeがあり、キーを対応する値で(最小から最大に)ソートしたリストが必要です。私の試みは:

countByType.entrySet().stream().sorted().collect(Collectors.toList());

しかし、これは単にエントリのリストを提供しますが、順序を失うことなく、どのようにタイプのリストを取得できますか?

54
adaPlease

値で並べ替えたいと言いますが、コードにはそれがありません。ラムダ(またはメソッド参照)をsortedに渡して、ソート方法を伝えます。

そして、あなたは鍵を取得したい。 mapを使用して、エントリをキーに変換します。

List<Type> types = countByType.entrySet().stream()
        .sorted(Comparator.comparing(Map.Entry::getValue))
        .map(Map.Entry::getKey)
        .collect(Collectors.toList());
112
Jesper

エントリの値に基づいてカスタムコンパレータで並べ替える必要があります。次に、収集する前にすべてのキーを選択します

countByType.entrySet()
           .stream()
           .sorted((e1, e2) -> e1.getValue().compareTo(e2.getValue())) // custom Comparator
           .map(e -> e.getKey())
           .collect(Collectors.toList());
11

以下のように、値でマップをソートできます。より多くの例 here

//Sort a Map by their Value.
Map<Integer, String> random = new HashMap<Integer, String>();

random.put(1,"z");
random.put(6,"k");
random.put(5,"a");
random.put(3,"f");
random.put(9,"c");

Map<Integer, String> sortedMap =
        random.entrySet().stream()
                .sorted(Map.Entry.comparingByValue())
                .collect(Collectors.toMap(Map.Entry::getKey, Map.Entry::getValue,
                        (e1, e2) -> e2, LinkedHashMap::new));
System.out.println("Sorted Map: " + Arrays.toString(sortedMap.entrySet().toArray()));
3
Ajay
Map<Integer, String> map = new HashMap<>();
map.put(1, "B");
map.put(2, "C");
map.put(3, "D");
map.put(4, "A");

List<String> list = map.values().stream()
    .sorted()
    .collect(Collectors.toList());

出力:[A, B, C, D]

2
Kannan Msk

これを問題の例として使用できます

    Map<Integer, String> map = new HashMap<>();
    map.put(10, "Apple");
    map.put(20, "orange");
    map.put(30, "banana");
    map.put(40, "watermelon");
    map.put(50, "dragonfruit");

    // split a map into 2 List
    List<Integer> resultSortedKey = new ArrayList<>();
    List<String> resultValues = map.entrySet().stream()
            //sort a Map by key and stored in resultSortedKey
            .sorted(Map.Entry.<Integer, String>comparingByKey().reversed())
            .peek(e -> resultSortedKey.add(e.getKey()))
            .map(x -> x.getValue())
            // filter banana and return it to resultValues
            .filter(x -> !"banana".equalsIgnoreCase(x))
            .collect(Collectors.toList());

    resultSortedKey.forEach(System.out::println);
    resultValues.forEach(System.out::println);
1
MADHUR GUPTA

StreamEx を使用した簡単なソリューションを次に示します。

EntryStream.of(countByType).sortedBy(e -> e.getValue()).keys().toList();
1
user_3380739