Map中的computeIfAbsent方法是方法更简洁。
在JAVA8的Map接口中,增加了一个方法computeIfAbsent,此方法签名如下:
public V computeIfAbsent(K key, Function<? super K,? extends V> mappingFunction)
此方法首先判断缓存MAP中是否存在指定key的值,如果不存在,会自动调用mappingFunction(key)计算key的value,然后将key = value放入到Map。如果mappingFunction(key)返回的值为null或抛出异常,则不会有记录存入map

Example01

  1. Map<String, String> map = new HashMap<>();
  2. // 原来的方法
  3. if (!map.containsKey("huawei")) {
  4. map.put("huawei", "huawei" + "华为");
  5. }
  6. // 同上面方法效果一样,但更简洁
  7. map.computeIfAbsent("huawei", k -> k + "华为");
  8. System.out.println(map);

Example02

  1. Map<String, AtomicInteger> map2 = new HashMap<>();
  2. // 统计字段出现个数
  3. List<String> list = Lists.newArrayList("h", "e", "l", "l", "o", "w", "o", "r", "l", "d");
  4. for (String str : list) {
  5. map2.computeIfAbsent(str, k -> new AtomicInteger()).getAndIncrement();
  6. }
  7. // 遍历
  8. map2.forEach((k, v) -> System.out.println(k + " " + v));

Example03

  1. Map<String, List<String>> map3 = new HashMap<>();
  2. // 如果key不存在,则创建新list并放入数据;key存在,则直接往list放入数据
  3. map3.computeIfAbsent("ProgrammingLanguage", k -> new ArrayList<>()).add("Java");
  4. map3.computeIfAbsent("ProgrammingLanguage", k -> new ArrayList<>()).add("Python");
  5. map3.computeIfAbsent("ProgrammingLanguage", k -> new ArrayList<>()).add("C#");
  6. map3.computeIfAbsent("Database", k -> new ArrayList<>()).add("Mysql");
  7. map3.computeIfAbsent("Database", k -> new ArrayList<>()).add("Oracle");
  8. // 遍历
  9. map3.forEach((k, v) -> System.out.println(k + " " + v));