有没有办法确定我们在HashMap
中拥有哪些存储桶,以及它们包含多少条目?
答案 0 :(得分:2)
不直接:这是通过使用私有字段隐藏的实现细节。
如果您可以访问JDK的源代码,则可以使用 reflection API访问HashMap<K,V>
的{{3}},这样可以获得桶数和个别桶的内容。但是,您的代码将是不可移植的,因为它会破坏库类的封装。
答案 1 :(得分:2)
你可以通过反射来完成它,但它是非常特定的jdk。这个适用于Java 8的小地图,但是当地图变大时可能会破坏,因为我相信当存储桶变满时Java 8会使用混合机制。
private void buckets(HashMap<String, String> m) throws NoSuchFieldException, IllegalArgumentException, IllegalAccessException {
// Pull out the table.
Field f = m.getClass().getDeclaredField("table");
f.setAccessible(true);
Object[] table = (Object[]) f.get(m);
int bucket = 0;
// Walk it.
for (Object o : table) {
if (o != null) {
// At least one in this bucket.
int count = 1;
// What's in the `next` field?
Field nf = o.getClass().getDeclaredField("next");
nf.setAccessible(true);
Object n = nf.get(o);
if (n != null) {
do {
// Count them.
count += 1;
} while ((n = nf.get(n)) != null);
}
System.out.println("Bucket " + bucket + " contains " + count + " entries");
}
bucket += 1;
}
}
public void test() throws NoSuchFieldException, IllegalArgumentException, IllegalAccessException {
HashMap<String, String> m = new HashMap<>();
String[] data = {"One", "Two", "Three", "Four", "five"};
for (String s : data) {
m.put(s, s);
}
buckets(m);
}
打印:
Bucket 7 contains 2 entries
Bucket 13 contains 2 entries
Bucket 14 contains 1 entries