1. 程式人生 > >多個Map進行內容合併

多個Map進行內容合併

  • 基礎demo
public static void main(String[] args) {
    Map<String, String> map1 = new HashMap<String, String>(){{
        put("1", "a");
        put("2", "b");
        put("3", "c");
    }};
    Map<String, String> map2 = new HashMap<String, String>(){{
        put("test1", "張三");
        put("test2", "李四");
        put("test3", "王五");
    }};
    Map<String, String> resultMap = new HashMap<String, String>(){{
        putAll(map1);
        putAll(map2);
    }};
    System.out.println(resultMap);
}

  • 下面將以上操作改寫成工具方法
import java.util.Map;
 
public class MapUtil {
 
    /**
     * 合併多個map
     * @param maps
     * @param <K>
     * @param <V>
     * @return
     * @throws Exception
     */
    public static <K, V> Map mergeMaps(Map<K, V>... maps) {
        Class clazz = maps[0].getClass(); // 獲取傳入map的型別
        Map<K, V> map = null;
        try {
            map = (Map) clazz.newInstance();
        } catch (Exception e) {
            e.printStackTrace();
        }
        for (int i = 0, len = maps.length; i < len; i++) {
            map.putAll(maps[i]);
        }
        return map;
    }
}

  • demo中就可以改為:

Map<String, String> resultMap = MapUtil.mergeMaps(new Map[]{map1, map2});

  • Ps: 當使用putAll時,如果我們改變原集合中的值,那麼是並不會影響已經putAll到新集合中的資料的。 putAll 後putAll進入的Map如果和前面已經插入的資料的Key相同,那麼後進入的會覆蓋前進入的。