5

我有一个哈希图,如下所示:

    HashMap<String, Integer> hm = new HashMap<String, Integer>;
    hm.put("a", 1);
    hm.put("b", 12);
    hm.put("c", 53);
    hm.put("d", 2);
    hm.put("e", 17);
    hm.put("f", 8);
    hm.put("g", 8);

我将如何获得具有 3 个最高值的键?所以它会返回:

    "c", "e", "b"

谢谢。

4

3 回答 3

9

我的解决方案,按值排序并获得前 3 名并返回键列表。

List<String> keys = hm.entrySet().stream().sorted(Map.Entry.<String, Integer>comparingByValue().reversed()).limit(3).map(Map.Entry::getKey).collect(Collectors.toList());

希望能帮助到你

于 2020-05-29T02:39:16.217 回答
4

这很难阅读,但会表现得更好:

 public static List<String> firstN(Map<String, Integer> map, int n) {
    PriorityQueue<Entry<String, Integer>> pq = new PriorityQueue<>(
        n + 1, Map.Entry.comparingByValue()
    );

    int bound = n + 1;
    for (Entry<String, Integer> en : map.entrySet()) {
        pq.offer(en);
        if (pq.size() == bound) {
            pq.poll();
        }
    }

    int i = n;
    String[] array = new String[n];
    while (--i >= 0) {
        array[i] = pq.remove().getKey();
    }
    return Arrays.asList(array);
}

如果您知道 a 是如何PriorityQueue工作的,那么这很简单:它只保留n + 1任何给定时间点的元素。随着元素的添加,最小的元素被一个接一个地删除。

完成后,我们将元素插入到数组中,但顺序相反(因为 aPriorityQueue只对其头部进行排序,或者头部总是根据 的最大/最小值Comparator)。

您甚至可以将其设为通用,或为此创建带有流的自定义收集器。

于 2020-05-29T03:41:01.900 回答
1

这是我的看法:它只跟踪 TreeSet 中的前 n 个项目。

import java.util.*;
import java.util.stream.Collectors;

public class TopN {
    public static <E> Collection<E> topN(Iterable<E> values, Comparator<? super E> comparator, int n) {
        NavigableSet<E> result = new TreeSet<>(comparator.reversed());
        for (E value : values) {
            result.add(value);
            if (result.size() > n) {
                result.remove(result.last());
            }
        }
        return result;
    }

    public static void main(String[] args) {
        Map<String, Integer> hm = Map.of(
                "a", 1,
                "b", 12,
                "c", 53,
                "d", 2,
                "e", 17,
                "f", 8,
                "g", 8);

        List<String> result = topN(hm.entrySet(), Map.Entry.comparingByValue(), 3)
                .stream()
                .map(Map.Entry::getKey)
                .collect(Collectors.toList());
        System.out.println(result);
    }
}

最终输出是[c, e, b]

于 2020-06-01T02:18:17.227 回答