合并多级HashMaps的最快方法

时间:2017-09-05 09:05:30

标签: java lambda java-8

我有很多Multilevel HashMaps,其中最深的元素是List。级别数可能会有所不同。

直观地说第一个hashmap是

{
    "com": {
        "avalant": {
            "api": []
        }
    }
}

和第二个hashmap是

{
    "com": {
        "google": {
            "service": {
                "api": []
            }
        }
    }
}   

合并后应该成为

{
    "com": {
        "avalant": {
            "api": []
        },
        "google": {
            "service": {
                "api": []
            }
        }
    }
}

合并它们的最佳方法是什么?只需一次迭代两张地图并结合将是个好主意?

1 个答案:

答案 0 :(得分:4)

我首先会选择一个真正有用的版本,之后再看看我是否需要更快的版本。

一个可能的解决方案是这样的递归方法(删除泛型和强制转换以便于阅读):

// after calling this mapLeft holds the combined data
public void merge(Map<> mapLeft, Map<> mapRight) {
    // go over all the keys of the right map
    for (String key : mapRight.keySet()) {
        // if the left map already has this key, merge the maps that are behind that key
        if (mapLeft.containsKey(key)) {
            merge(mapLeft.get(key), mapRight.get(key));
        } else {
            // otherwise just add the map under that key
            mapLeft.put(key, mapRight.get(key));
        }
    }
}

刚刚注意到了lambda标签。我没有看到在这里使用流的原因。在我看来,将其转换为流将使其变得更加复杂。