Java:遍历另一个HashMap中的HashMap

时间:2015-07-06 09:20:46

标签: java hashmap

我想要遍历另一个HashMap

中的HashMap
Map<String, Map<String, String>> PropertyHolder

我能够按照以下方式遍历父HashMap

Iterator it = PropertyHolder.entrySet().iterator();
while (it.hasNext()) {
  Map.Entry pair = (Map.Entry) it.next();
  System.out.println("pair.getKey() : " + pair.getKey() + " pair.getValue() : " + pair.getValue());
  it.remove(); // avoids a ConcurrentModificationException
}

但无法遍历孩子Map,可以通过转换pair.getValue().toString()并使用,=分隔来完成。有没有其他方法可以迭代它?

3 个答案:

答案 0 :(得分:6)

    for (Entry<String, Map<String, String>> entry : propertyHolder.entrySet()) {
        Map<String, String> childMap = entry.getValue();

        for (Entry<String, String> entry2 : childMap.entrySet()) {
            String childKey = entry2.getKey();
            String childValue = entry2.getValue();
        }
    }

答案 1 :(得分:2)

您可以迭代子地图,类似于您完成父项的方式:

Iterator<Map.Entry<String, Map<String, String>>> parent = PropertyHolder.entrySet().iterator();
while (parent.hasNext()) {
    Map.Entry<String, Map<String, String>> parentPair = parent.next();
    System.out.println("parentPair.getKey() :   " + parentPair.getKey() + " parentPair.getValue()  :  " + parentPair.getValue());

    Iterator<Map.Entry<String, String>> child = (parentPair.getValue()).entrySet().iterator();
    while (child.hasNext()) {
        Map.Entry childPair = child.next();
        System.out.println("childPair.getKey() :   " + childPair.getKey() + " childPair.getValue()  :  " + childPair.getValue());

        child.remove(); // avoids a ConcurrentModificationException
    }

}

我假设你想在子映射上调用.remove(),如果在循环entrySet时完成,将导致ConcurrentModificationException - 看起来好像你已经发现了这一点。

我还根据评论中的建议将强制类型泛型替换为使用。

答案 2 :(得分:0)

很明显 - 你需要两个嵌套循环:

for (String key1 : outerMap.keySet()) {
    Map innerMap = outerMap.get(key1);
    for (String key2: innerMap.keySet()) {
        // process here.
    }
}